我运行了这个服务器代码
const fs = require('fs');
const express = require('express');
const app = express();
app.get('/profile/:id', function (req, res) { // A route with a parameter
res.render('profile', {
user: getUserById(req.params.id)
});
});
app.listen(8888, function () {
console.log('Server running on port 8888');
});
function getUserById(userId){
fs.readFile('./database.json', 'utf8', function (err, data) {
var json = JSON.parse(data);
var users = json.users;
return users.find(u => u.id === userId);
});
}
调用路由时,函数getUserById
被调用。在我的数据库中,我有这个数据
{
"users": [
{
"id": 2312,
"name": "Foo Bar",
}
]
}
所以路线例如是/profile/2312
。
req.params.id
返回值2312。
在var currentUser = users[0];
currentUser.id
的循环中将返回2312,传入的参数为2312.
但是在分配user = currentUser;
时,对象user
为空。
我错过了一个模块吗?代码错了吗?
答案 0 :(得分:3)
用户对象为null,因为您在代码实际读取文件之前返回它。
fs.readFile('./database.json', 'utf8', function (err, data) { }
fs.readFile是异步的,所以为了返回正确的值,你必须在fs.readFile块中移动return语句。
此外,由于getUserById正在调用异步函数,因此必须在&get; getuserById'之后调用res.render。完成执行。
const fs = require('fs');
const express = require('express');
const app = express();
app.get('/profile/:id', getUserById);
app.listen(8888, function () {
console.log('Server running on port 8888');
});
function getUserById(req,res){ // Get a user from the database by userId
const userId = req.params.id;
fs.readFile('./database.json', 'utf8', function (err, data) {
var json = JSON.parse(data); // get the JSON object
var users = json.users; // convert the object to a user array
var match = users.find(u=>u.id.toString()===userId.toString());
//Call render after the asynchronous code finishes execution.
res.render('profile', {
user: match
});
});
}
How does Asynchronous Javascript Execution happen? and when not to use return statement?