我想在ES6中编写我的猫鼬模型.module.exports
尽可能基本上替换和其他ES5的东西.这就是我所拥有的.
import mongoose from 'mongoose' class Blacklist extends mongoose.Schema { constructor() { super({ type: String, ip: String, details: String, reason: String }) } } export default mongoose.model('Blacklist', Blacklist)
我在控制台中看到此错误.
if (!('pluralization' in schema.options)) schema.options.pluralization = this.options.pluralization; ^ TypeError: Cannot use 'in' operator to search for 'pluralization' in undefined
loganfsmyth.. 15
我不确定为什么你在这种情况下尝试使用ES6类.mongoose.Schema
是一个用于创建新模式的构造函数.当你这样做
var Blacklist = mongoose.Schema({});
您正在使用该构造函数创建新架构.构造函数的设计与行为完全相同
var Blacklist = new mongoose.Schema({});
你有什么选择,
class Blacklist extends mongoose.Schema {
确实是创建模式类的子类,但实际上你从未在任何地方实例化它
你需要这样做
export default mongoose.model('Blacklist', new Blacklist());
但我不会真的推荐它.关于你在做什么,没有"更多的ES6y".以前的代码非常合理,是Mongoose的推荐API.
我不确定为什么你在这种情况下尝试使用ES6类.mongoose.Schema
是一个用于创建新模式的构造函数.当你这样做
var Blacklist = mongoose.Schema({});
您正在使用该构造函数创建新架构.构造函数的设计与行为完全相同
var Blacklist = new mongoose.Schema({});
你有什么选择,
class Blacklist extends mongoose.Schema {
确实是创建模式类的子类,但实际上你从未在任何地方实例化它
你需要这样做
export default mongoose.model('Blacklist', new Blacklist());
但我不会真的推荐它.关于你在做什么,没有"更多的ES6y".以前的代码非常合理,是Mongoose的推荐API.
你为什么要这样做? mongoose.Schema
预计不会以这种方式使用.它不使用继承.
mongoose.Schema
是一个构造函数,它将对象作为ES5和ES6中的第一个参数.这里不需要ES6课程.
因此,即使使用ES6,正确的方法是:
const Blacklist = mongoose.Schema({ type: String, ip: String, details: String, reason: String, });
要做ES6,类似于类的方式,就像问题所说的那样,我只需要new
在导出的mongoose.model
函数中调用类.
export default mongoose.model('Blacklist', new Blacklist)
猫鼬可以原生支持es6类(从4.7开始,并且没有编译器…)。
写就好了:
const mongoose = require('mongoose') const { Model, Schema } = mongoose const schema = new Schema({ type: String, ip: String, details: String, reason: String, }) class Tenant extends Model {} module.exports = mongoose.model(Tenant, schema, 'tenant');