开发者问题收集

初始化实例时,Javascript TypeError:undefined 不是函数

2015-02-12
5500

当我尝试创建我定义和导入的架构的实例时,出现了 JS TypeError: undefined is not a function

article.js

var mongoose = require("mongoose");
var Schema   = mongoose.Schema;

// Article Schema
var ArticleSchema = new Schema({
    title    : { type: String, required: true, index: { unique: true }},
    author   : { type: String, required: true },
    day      : { type: String, required: true },
    month    : { type: String, required: true },
    year     : { type: String, required: true },
    link     : { type: String, required: true },
    password : { type: String, required: false, select: false }

});

module.exports = mongoose.model("Article", ArticleSchema);

api.js

var bodyParser = require("body-parser");    // get body-parser
var article    = require("../models/article");
var config     = require("../../config");

module.exports = function(app, express) {

    var apiRouter = express.Router();

    // Some stuff

    var article = new article();     // create a new instance of the article model

    // ...

当 api 尝试创建新文章时抛出了此错误,下面是完整错误的屏幕截图:

TypeError

第 34:34 行是我尝试启动新文章时出现的错误。

我知道这个问题总是被问到,如果这个错误非常愚蠢,我很抱歉,但我遇到了 20 个不同的“TypeError: undefined”问题,尝试了不同的方法,但我无论如何都无法修复它。

2个回答

您正在声明一个名为“article”的变量。该名称与您导入的模块的名称相同,因此您的局部变量将隐藏更全局的变量。变量开始时没有值,因此它们是 未定义的

如果您更改局部变量名称,则假设您的导出设置正确,您将能够访问构造函数。

Pointy
2015-02-12

使用不同的名称:如果您使用 var article ,则会覆盖初始的 var article ,因此它不起作用。

好的做法是使用大写的 ModelNames:

var bodyParser = require("body-parser");    // get body-parser
var Article    = require("../models/article");
var config     = require("../../config");

module.exports = function(app, express) {

var apiRouter = express.Router();

// Some stuff

var article = new Article();     // create a new instance of the article model

// ...

像这样尝试,现在应该可以工作了 :)

Ben A.
2015-02-12