新的猫鼬,我发现Modal.find()有点麻烦。
我有一个expressjs api端点/ latest / all,应该返回mongodb中的所有产品。
// Get latest listings
router.get('/latest/all', function (req, res, next) {
var json = Product.getAllProductListings();
res.send(json);
});
以下是product.js模式。
'use strict';
var mongoose = require('mongoose');
// Product Schema
var ProductSchema = mongoose.Schema({
category: {
type: String,
index: true
},
name: {
type: String
},
state: {
type: String
},
target: {
type: String
}
});
var Product = module.exports = mongoose.model('Product', ProductSchema);
//Add new product request
module.exports.createProductReq = function (newProdReq, callback) {
newProdReq.save(callback);
};
//Find all products
//Find One
module.exports.getProductByCategory = function (category, callback) {
var query = {category: category};
Product.findOne(query, callback);
};
//Find All
module.exports.getAllProductListings = function (docs) {
var query = {};
Product.find(query, function (err, docs) {
console.log(docs);
});
};
console.log(docs);在控制台窗口中也显示了我期望的结果,但是“ docs”没有以与“ findOne”相同的方式传递给getAllProductListings。
我在getAllProductListings函数中只有一个返回值,因为它没有参数。
绝对是在做些愚蠢的事情,所以请给我启示。
最佳答案
由于getAllProductListings
是异步的,因此您需要在回调中发送响应:
// Get latest listings
router.get('/latest/all', function (req, res, next) {
Product.getAllProductListings(res);
});
并在您的
product.js
中://Find All
module.exports.getAllProductListings = function (response) {
var query = {};
Product.find(query, function (err, docs) {
console.log(docs);
response.send(docs);
});