gdd*_*ddh 4 cookies node.js express express-session express-graphql
问题:
尝试使用 登录时设置 cookie express-session,但我认为我遗漏了一些明显的东西。对登录 POST 请求的响应包括 Set-Cookie。我还将Access-Control-Allow-Origin和设置Access-Control-Allow-Headers为通配符,如下所示:
https: //i.stack.imgur.com/XS0Zv.png
但我们看到浏览器存储中(用 Firefox 和 Chrome 尝试过)什么也没有。如图所示
我目前正在将我的快速会话设置如下(请参阅帖子末尾以获取完整代码。添加代码片段以便于阅读):
app.use(session({
genid: () => { return uuidv4(); },
store: new MongoStore({ mongooseConnection: mongoose.connection }),
secret: process.env.SESSION_SECRET,
resave: false,
saveUninitialized: true,
cookie: {
httpOnly: true,
secure: false,
sameSite: true,
}
})
);
Run Code Online (Sandbox Code Playgroud)
然后,在验证用户已登录后,我尝试通过以下方式设置 userId:
req.session.userId = user.id;
Run Code Online (Sandbox Code Playgroud)
可能相关的信息
localhost:8000通过以下方式运行:app.listen(8000);http://localhost:3000/到目前为止我尝试过的事情:
resave,saveUnitialized.cookie参数。请指教!即使是关于如何调试这个或我可以查看的其他内容的想法也会非常有帮助!
相关代码
应用程序.js
const express = require('express');
const { graphqlHTTP } = require('express-graphql');
const mongoose = require('mongoose');
const session = require('express-session');
const MongoStore = require('connect-mongo')(session);
const {v4: uuidv4} = require('uuid');
const graphqlSchema = require('./graphql/schema/index');
const graphqlResolvers = require('./graphql/resolvers/index');
const app = express();
const path = '/graphql';
app.use(bodyParser.json());
app.use((req, res, next) => {
res.setHeader('Access-Control-Allow-Origin', '*');
res.setHeader('Access-Control-Allow-Methods', 'POST,GET,OPTIONS');
res.setHeader('Access-Control-Allow-Headers', '*');
if (req.method === 'OPTIONS') {
return res.sendStatus(200);
}
next();
});
mongoose
.connect(`mongodb+srv://${process.env.MONGO_USER}:${process.env.MONGO_PASSWORD}@cluster0.ccz92.mongodb.net/${process.env.MONGO_DB}?retryWrites=true&w=majority`,
{ useNewUrlParser: true, useUnifiedTopology: true, useFindAndModify: false }
)
.then(() => {
app.use(session({
genid: () => { return uuidv4(); },
store: new MongoStore({ mongooseConnection: mongoose.connection }),
secret: process.env.SESSION_SECRET,
resave: false,
saveUninitialized: true,
cookie: {
httpOnly: true,
secure: false,
sameSite: true,
}
})
);
app.use(path, graphqlHTTP({
schema: graphqlSchema,
rootValue: graphqlResolvers,
graphiql: true,
}));
app.listen(8000);
})
.catch(err => {
console.log(err);
});
Run Code Online (Sandbox Code Playgroud)
graphql/resolvers/auth.js
const argon2 = require('argon2');
const jwt = require('jsonwebtoken');
const User = require('../../models/user');
module.exports = {
createUser: async args => {
try {
const existingUser = await User.findOne({
email: args.userInput.email
});
if (existingUser) {
throw new Error('User exists already.');
}
const hashedPassword = await argon2.hash(
args.userInput.password,
12
);
const user = new User({
email: args.userInput.email,
password: hashedPassword,
loggedIn: true
});
const result = await user.save();
const token = jwt.sign(
{ userId: result.id, email: result.email },
process.env.JWT_KEY,
{ expiresIn: '1h' }
);
return {
userId: result.id,
token: token,
tokenExpiration: 1
};
} catch (err) {
console.log("error in resolvers/auth.js");
throw err;
}
},
login: async (args, req) => {
const { userId } = req.session;
if (userId) {
console.log("found req.session");
return User.findOne({ _id: userId });
}
console.log("looking for user with ", args.userInput.email);
const user = await User.findOne({ email: args.userInput.email });
console.log("found user");
if (!user) {
throw new Error("User does not exist!");
}
user.loggedIn = true;
user.save();
const isEqual = await argon2.verify(user.password, args.userInput.password);
if (!isEqual) {
throw new Error ("Password is incorrect!");
}
console.log("setting session.userId");
req.session.userId = user.id;
return { ...user._doc, password: null};
},
logout: async (args, req) => {
if (!req.isAuth) {
throw new Error('Unauthenticated');
}
try {
const result = await User.findOneAndUpdate(
{ _id: req.userId },
{ loggedIn: false },
{ new: true },
);
return { ...result._doc, password: null };
} catch (err) {
console.log("logout error", err);
throw(err);
}
},
};
Run Code Online (Sandbox Code Playgroud)
所以结果是CORS问题。我没有意识到港口意味着不同的起源。在本例中,我的客户端为 3000,我的服务器为 8000。
考虑到 CORS 的性质,当我获取时,我需要在客户端中包含credentials(cookie、授权标头或 TLS 客户端证书):
fetch(config.url.API_URL, {
method: 'POST',
body: JSON.stringify(requestBody),
headers: {
'Content-Type': 'application/json'
},
credentials: "include",
})
Run Code Online (Sandbox Code Playgroud)
这将告诉用户代理始终发送 cookie。
然后服务器端我需要设置Access-Control-Allow-Credentials为 true:
res.setHeader('Access-Control-Allow-Credentials', true);
Run Code Online (Sandbox Code Playgroud)
这将允许浏览器将响应(包含 cookie)公开给前端 Javascript 代码。
由于我们使用凭据,因此我们需要指定Access-Control-Allow-Headers和Access-Control-Allow-Origin
res.setHeader('Access-Control-Allow-Headers', 'Origin, X-Requested-With, Content-Type, Accept')
Run Code Online (Sandbox Code Playgroud)
res.setHeader('Access-Control-Allow-Origin', 'http://localhost:3000');
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
5155 次 |
| 最近记录: |