美文网首页
mongoose入门(二)Schema

mongoose入门(二)Schema

作者: 叶小七的真命天子 | 来源:发表于2017-12-16 12:34 被阅读8次

Mongoose中针对数据库有专门的定义,其中包括Schema、 Model。由Schema生成Model,再由Model生成对象集合Collection。

一、Schema定义

Schema,为数据库对象的集合,在mongoose中其主要作用是数据库模型骨架,可以理解为它是你定义数据的属性文件,例如下面的例子:

var UserSchema = new Schema({
      name:String,
      password:String,
      role: {
        type: Number,
        default: 0
      }
});

1.1、Schema 的构造函数为:Schema(definition,[options]),definition一个JSON对象,其中对象的键是一个字符串,定义属性名称,对象的键是一个SchemaType,定义了属性类型(包括字段类型、unique、default...)

1.2、什么是SchemaType
SchemaType是由Mongoose内定的一些数据类型,基本数据类型都在其中,也可以自定义SchemaType,只有满足SchemaType的类型才能定义在Schema内。

二、Schema的实例方法

有的时候,我们创造的Schema不仅要为后面的Model和Entity提供公共的属性,还要提供公共的方法。mongoose提供了methods接口,定义Schema的实例方法:

UserSchema.methods = {
    comparePassword(_password,cb){
        bcrypt.compare(_password,this.password,(err, isMatch)=>{
            if(err) return cb(err)

            cb(null,isMatch)
        })
    }
}

实例方法调用方式是先通过model生成数据实体之后,在调用:

    let UserModel = mongoose.model('User', UserSchema)
    let user = new UserModel({name:'qiangf',password:'123456'})
    user.comparePassword(password, function(err, isMatch) {
      if (err) {
        console.log(err)
      }

      if (isMatch) {
        req.session.user = user

        return res.redirect('/')
      }
      else {
        return res.redirect('/signin')
      }
    })

三、Schema的静态方法

mongoose提供了statics接口,定义Schema的静态方法,静态方法在Model层就能使用,如下:

//定义静态方法
UserSchema.statics = {
  fetch: function(cb) {
    return this
      .find({})
      .sort('meta.updateAt')
      .exec(cb)
  },
  findById: function(id, cb) {
    return this
      .findOne({_id: id})
      .exec(cb)
  }
}
//调用
let UserModel = mongoose.model('User', UserSchema)
UserModel.fetch(function(err, users) {
    if (err) {
      console.log(err)
      return 
    }
    res.render('userlist', {
      title: 'userPage',
      users: users
    })
  })

相关文章

  • mongoose入门(二)Schema

    Mongoose中针对数据库有专门的定义,其中包括Schema、 Model。由Schema生成Model,再由M...

  • 2019-11-07

    ``` let schema = mongoose.Schema({ name: {type: String, ...

  • mongoose创建唯一索引

    有如下Schemavar Schema = new mongoose.Schema({category : Str...

  • Mongoose-使用node.js操作数据库

    Mongoose就是对象文档模型(ODM) 1.Mongoose的对象 Mongoose有3个对象:Schema(...

  • mongoose 使用

    mongoose 使用 Mongoose 基础使用 Connect 链接数据库 定义文档模型, Schema 和 ...

  • Schemas

    定义一个 Schema Mongoose工作都有开始于Schema。每个Schema对应(映射)一个mongodb...

  • mongoose学习笔记2之Schemas

    指南 假设以下代码都运行在 Schema 定义 schema 在Mongoose中,任何事情都是从Schema(模...

  • 15.mongoose

    mongoose是nodeJS提供连接 mongodb的一个库schema对象-模型(表)下面使用mongoose...

  • mongoose基础教程(二) Schema与Model (更新

    Schema Schema 是什么 在 Mongoose 中,所有数据都由一个 Schema 开始创建。每一个 s...

  • Mongoose

    mongoose是什么 针对mongodb的orm库 mongoose的优点 为文档创建一个模式结构 Schema...

网友评论

      本文标题:mongoose入门(二)Schema

      本文链接:https://www.haomeiwen.com/subject/podswxtx.html