MongoDB基础六:Mongoose 索引、内置CURD 方法
2019-06-05 本文已影响0人
joyitsai
一、Mongoose 索引
索引是对数据库表中一列或多列的值进行排序的一种结构,可以让我们查询数据库变得更快。
1.1 创建索引
mongoose 中除了以前创建索引的方式,我们也可以在定义Schema
时创建索引:
const NewsSchema = mongoose.Schema({
news_id:{
type:Number,
// 唯一索引
unique: true
},
title: {
type:String,
// 普通索引
index: true
},
author: String,
});
const News = mongoose.model('News', NewsSchema, 'news');
module.exports = News;
上面代码中,通过在Schema
的字段中定义unique: true
创建唯一索引,和index: true
创建一般索引。
1.2 测试索引查询数据的性能
首先看一下没有索引时(将上面代码中unique: true
和index: true
注释掉)查询数据的时间(news集合中有100万条数据):
console.time('news');
News.find({title: '新闻200000'}, (err, docs)=>{
if(err) return console.log(err);
console.log(docs);
console.timeEnd('news');
})
查询用时:
[ { _id: 5cf7795fb1f4664f499f265c,
news_id: 200000,
title: '新闻200000',
author: 'joyitsai' } ]
news: 469.795ms
当依照上面创建索引之后,再对这条数据进行查询,查询用时:
[ { _id: 5cf77921b1f4664f499c673c,
news_id: 20000,
title: '新闻20000',
author: 'joyitsai' } ]
news: 92.108ms
在mongoose中使用索引查询数据的性能对于没有索引的情况下有了5倍左右的提升,但没有在mongo
命令行中查询时的性能好。
二、Mongoose 内置CURD
- Model.deleteMany()
- Model.deleteOne()
- Model.find()
- Model.findById()
- Model.findByIdAndDelete()
- Model.findByIdAndRemove()
- Model.findByIdAndUpdate()
- Model.findOne()
- Model.findOneAndDelete()
- Model.findOneAndRemove()
- Model.findOneAndUpdate()
- Model.replaceOne()
- Model.updateMany()
- Model.updateOne()
三、扩展Mongoose CURD 方法
3.1 在Schema上自定义静态方法:
在定义的Schema上通过Schema.statics.yourFind
封装自己的数据查找方法,方便后期数据查找工作。callback为数据查找完成后的回调函数,回调函数中可以进行错误处理或者数据处理等操作:
const NewsSchema = mongoose.Schema({
news_id:{
type:Number,
// 唯一索引
unique: true
},
title: {
type:String,
// 普通索引
index: true
},
author: String
});
// 通过Schema来自定义模型的静态方法,自定义数据查找的方法
NewsSchema.statics.findByNewsId = function(news_id, callback){
//this指向当前模型,调用模型上的find()方法,封装自己的静态方法
this.find({news_id: news_id}, function(err, docs){
//数据查找完成后,调用callback,对错误信息或者查找到的数据进行处理
callback(err, docs);
})
}
const News = mongoose.model('News', NewsSchema, 'news');
module.exports = News;
然后在相关功能代码中,就可以通过News.findByNewsId()
来查找数据了:
News.findByNewsId(20000, (err, docs)=>{
if(err) return console.log(err);
console.log(docs);
});
查找结果如下:
[ { _id: 5cf77921b1f4664f499c673c,
news_id: 20000,
title: '新闻20000',
author: 'joyitsai' } ]
3.2 在Schema上自定义实例方法:
实例方法是通过Schema.methods.yourMethod
来定义的,其中this
指向了NewsSchema对应模型的实例:
NewsSchema.methods.print = function(){
console.log('这是一个实例方法');
console.log(this.news_id);
}
调用实例方法:
// 对News模型实例化
const news = new News({
news_id: 1,
title: '新闻1',
author: 'joyitsai'
})
//在实例上调用实例方法
news.print();
调用实例方法后的结果对应了实例方法的定义:
这是一个实例方法
新闻1
实例方法不太常用,但如果你在项目中需要对数据模型实例化之后,进行一些特殊的操作,可以通过实例化方法来执行,提高功能性操作的效率。