- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
当我创建新博客文章并尝试提交它时,出现以下错误:“TypeError: 无法读取未定义的属性 '_id'”
这是“id 未定义”的代码
// CREATE ROUTE
router.post("/", function(req, res){
// Sanitizes blog body to prevent harmful content through it
req.body.blog.body = req.sanitize(req.body.blog.body);
// get data from form and add to blogs array
var title = req.body.title;
var image = req.body.image;
var body = req.body.body;
var author = {
id: req.user._id,
username: req.user.username
};
var newBlog = { title: title, image: image, body: body, author: author};
//Create blog
Blog.create(newBlog, function(err, newlyCreated){
//handle error if can't create post
if(err){
res.render("bposts/new");
//otherwise post it and redirect back to Blog Posts
} else {
console.log(newlyCreated);
res.redirect("/bposts");
}
});
});
此行触发错误:
var author = {
id: req.user._id,
username: req.user.username
};
我还在下面发布了我的模型和 app.js。当我对这个主题进行研究时,似乎一切都导致无法解析 req.something.whateverPropertyTryingToParse,或者在我的例子中 req.user._id。我的正文解析器已安装并保存到 package.json 文件中,正如您将在我的 app.js 文件中看到的那样。我不知道为什么它无法解析 id。任何有关为什么会发生这种情况的帮助和解释都值得赞赏。
博客模型:
var mongoose = require("mongoose");
// SCHEMA
var blogSchema = new mongoose.Schema({
title: String,
image: String,
body: String,
created: {type: Date, default: Date.now},
author: {
id: {
type: mongoose.Schema.Types.ObjectId,
ref: "User"
},
username: String
},
comments: [
{
type: mongoose.Schema.Types.ObjectId,
ref: "Comment"
}
]
});
//MODEL
module.exports = mongoose.model("Blog", blogSchema);
用户模型:
var mongoose = require("mongoose");
var passportLocalMongoose = require("passport-local-mongoose");
var UserSchema = new mongoose.Schema({
username: {type: String, unique: true, required: true},
password: String,
// avatar: String,
firstName: String,
lastName: String,
email: {type: String, unique: true, required: true},
// resetPasswordToken: String,
// resetPasswordExpires: Date,
// isAdmin: {type: Boolean, default: false}
});
UserSchema.plugin(passportLocalMongoose);
module.exports = mongoose.model("User", UserSchema);
app.js
var express = require("express"),
app = express(),
bodyParser = require("body-parser"),
mongoose = require("mongoose"),
expressSanitizer = require("express-sanitizer"),
passport = require("passport"),
cookieParser = require("cookie-parser"),
LocalStrategy = require("passport-local"),
flash = require("connect-flash"),
session = require("express-session"),
moment = require("moment"),
User = require("./models/user"),
// seedDB = require("./seeds"),
methodOverride = require("method-override");
// APP CONFIG
mongoose.connect("mongodb://localhost/blog", {useMongoClient: true});
//PRODUCTION CONFIG - LIVE URL GOES HERE!
app.set("view engine", "ejs");
app.use(express.static(__dirname + "/assets"));
app.use(bodyParser.urlencoded({extended: true}));
app.use(expressSanitizer());
app.use(methodOverride("_method"));
app.use(cookieParser('secret'));
//require moment
app.locals.moment = require('moment');
// seedDB(); //seed test data!
// PASSPORT CONFIGURATION
app.use(require("express-session")({
secret: "It's a secret to everyone!!",
resave: false,
saveUninitialized: false
}));
app.use(flash());
app.use(passport.initialize());
app.use(passport.session());
passport.use(new LocalStrategy(User.authenticate()));
passport.serializeUser(User.serializeUser());
passport.deserializeUser(User.deserializeUser());
app.use(function(req, res, next){
res.locals.currentUser = req.user;
res.locals.success = req.flash('success');
res.locals.error = req.flash('error');
next();
});
// REQUIRE ROUTES
var commentRoutes = require("./routes/comments"),
bpostRoutes = require("./routes/bposts"),
indexRoutes = require("./routes/index");
//USE ROUTES
app.use("/", indexRoutes);
app.use("/bposts", bpostRoutes);
app.use("/bposts/:id/comments", commentRoutes);
//RUN SERVER
app.listen(process.env.PORT, process.env.IP, function(){
console.log("The Server Has Started!");
});
//MIDDLEWARE
var Comment = require('../models/comment');
var Blog = require('../models/blog');
module.exports = {
isLoggedIn: function(req, res, next){
if(req.isAuthenticated()){
return next();
}
req.flash('error', 'You must be signed in to do that!');
res.redirect('/login');
},
checkUserBlog: function(req, res, next){
Blog.findById(req.params.id, function(err, foundBlog){
if(err || !foundBlog){
console.log(err);
req.flash('error', 'Sorry, that Blog does not exist!');
res.redirect('/bposts');
} else if(foundBlog.author.id.equals(req.user._id) || req.user.isAdmin){
req.Blog = foundBlog;
next();
} else {
req.flash('error', 'You don\'t have permission to do that!');
res.redirect('/bposts/' + req.params.id);
}
});
},
checkUserComment: function(req, res, next){
Comment.findById(req.params.commentId, function(err, foundComment){
if(err || !foundComment){
console.log(err);
req.flash('error', 'Sorry, that comment does not exist!');
res.redirect('/bposts');
} else if(foundComment.author.id.equals(req.user._id) || req.user.isAdmin){
req.comment = foundComment;
next();
} else {
req.flash('error', 'You don\'t have permission to do that!');
res.redirect('/bposts/' + req.params.id);
}
});
},
isAdmin: function(req, res, next) {
if(req.user.isAdmin) {
next();
} else {
req.flash('error', 'This site is now read only thanks to spam and trolls.');
res.redirect('back');
}
},
isSafe: function(req, res, next) {
if(req.body.image.match(/^https:\/\/images\.unsplash\.com\/.*/)) {
next();
}else {
req.flash('error', 'Only images from images.unsplash.com allowed.\nSee https://youtu.be/Bn3weNRQRDE for how to copy image urls from unsplash.');
res.redirect('back');
}
}
};
最佳答案
不应该吗
var author = {
id: req.body.user._id,
username: req.body.user.username
};
您能显示您要发布的数据的格式吗?
关于node.js - 类型错误 : Cannot read property '_id' of undefined body-parser is installed and required,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/47368629/
我正在学习构建单页应用程序 (SPA) 所需的所有技术。总而言之,我想将我的应用程序实现为单独的层,其中前端仅使用 API Web 服务(json 通过 socket.io)与后端通信。前端基本上是
当我看到存储在我的数据库中的日期时。 这是 正常 。日期和时间就是这样。 但是当我运行 get 请求来获取数据时。 此格式与存储在数据库 中的格式不同。为什么会发生这种情况? 最佳答案 我认为您可以将
就目前而言,这个问题不适合我们的问答形式。我们希望答案得到事实、引用资料或专业知识的支持,但这个问题可能会引发辩论、争论、投票或扩展讨论。如果您觉得这个问题可以改进并可能重新打开,visit the
我正在尝试使用backbone.js 实现一些代码 和 hogan.js (http://twitter.github.com/hogan.js/) Hogan.js was developed ag
我正在使用 Backbone.js、Node.js 和 Express.js 制作一个 Web 应用程序,并且想要添加用户功能(登录、注销、配置文件、显示内容与该用户相关)。我打算使用 Passpor
关闭。这个问题需要多问focused 。目前不接受答案。 想要改进此问题吗?更新问题,使其仅关注一个问题 editing this post . 已关闭 8 年前。 Improve this ques
我尝试在 NodeJS 中加载数据,然后将其传递给 ExpressJS 以在浏览器中呈现 d3 图表。 我知道我可以通过这种方式加载数据 - https://github.com/mbostock/q
在 node.js 中,我似乎遇到了相同的 3 个文件名来描述应用程序的主要入口点: 使用 express-generator 包时,会创建一个 app.js 文件作为生成应用的主要入口点。 通过 n
最近,我有机会观看了 john papa 关于构建单页应用程序的精彩类(class)。我会喜欢的。它涉及服务器端和客户端应用程序的方方面面。 我更喜欢客户端。在他的实现过程中,papa先生在客户端有类
就目前而言,这个问题不适合我们的问答形式。我们希望答案得到事实、引用资料或专业知识的支持,但这个问题可能会引发辩论、争论、投票或扩展讨论。如果您觉得这个问题可以改进并可能重新打开,visit the
我是一个图形新手,需要帮助了解各种 javascript 2D 库的功能。 . . 我从 Pixi.js 中得到了什么,而我没有从 Konva 等基于 Canvas 的库中得到什么? 我从 Konva
我正在尝试将一些 LESS 代码(通过 ember-cli-less)构建到 CSS 文件中。 1) https://almsaeedstudio.com/ AdminLTE LESS 文件2) Bo
尝试查看 Express Passport 中所有登录用户的所有 session ,并希望能够查看当前登录的用户。最好和最快的方法是什么? 我在想也许我可以在登录时执行此操作并将用户模型数据库“在线”
我有一个 React 应用程序,但我需要在组件加载完成后运行一些客户端 js。一旦渲染函数完成并加载,运行与 DOM 交互的 js 的最佳方式是什么,例如 $('div').mixItUp() 。对
请告诉我如何使用bodyparser.raw()将文件上传到express.js服务器 客户端 // ... onFilePicked(file) { const url = 'upload/a
我正在尝试从 Grunt 迁移到 Gulp。这个项目在 Grunt 下运行得很好,所以我一定是在 Gulp 中做错了什么。 除脚本外,所有其他任务均有效。我现在厌倦了添加和注释部分。 我不断收到与意外
我正在尝试更改我的网站名称。找不到可以设置标题或应用程序名称的位置。 最佳答案 您可以在 config/ 目录中创建任何文件,例如 config/app.js 包含如下内容: module.expor
经过多年的服务器端 PHP/MySQL 开发,我正在尝试探索用于构建现代 Web 应用程序的新技术。 我正在尝试对所有 JavaScript 内容进行排序,如果我理解得很好,一个有效的解决方案可以是服
我是 Nodejs 的新手。我在 route 目录中有一个 app.js 和一个 index.js。我有一个 app.use(multer....)。我还定义了 app.post('filter-re
我正在使用 angular-seed用于构建我的应用程序的模板。最初,我将所有 JavaScript 代码放入一个文件 main.js。该文件包含我的模块声明、 Controller 、指令、过滤器和
我是一名优秀的程序员,十分优秀!