一尝苇、Mongoose 索引
索引是對數(shù)據(jù)庫表中一列或多列的值進行排序的一種結構铛只,可以讓我們查詢數(shù)據(jù)庫變得更快埠胖。
1.1 創(chuàng)建索引
mongoose 中除了以前創(chuàng)建索引的方式,我們也可以在定義Schema
時創(chuàng)建索引:
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
創(chuàng)建唯一索引直撤,和index: true
創(chuàng)建一般索引。
1.2 測試索引查詢數(shù)據(jù)的性能
首先看一下沒有索引時(將上面代碼中unique: true
和index: true
注釋掉)查詢數(shù)據(jù)的時間(news集合中有100萬條數(shù)據(jù)):
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
當依照上面創(chuàng)建索引之后蜕着,再對這條數(shù)據(jù)進行查詢谊惭,查詢用時:
[ { _id: 5cf77921b1f4664f499c673c,
news_id: 20000,
title: '新聞20000',
author: 'joyitsai' } ]
news: 92.108ms
在mongoose中使用索引查詢數(shù)據(jù)的性能對于沒有索引的情況下有了5倍左右的提升,但沒有在mongo
命令行中查詢時的性能好侮东。
二圈盔、Mongoose 內(nèi)置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上自定義靜態(tài)方法:
在定義的Schema上通過Schema.statics.yourFind
封裝自己的數(shù)據(jù)查找方法悄雅,方便后期數(shù)據(jù)查找工作驱敲。callback為數(shù)據(jù)查找完成后的回調(diào)函數(shù),回調(diào)函數(shù)中可以進行錯誤處理或者數(shù)據(jù)處理等操作:
const NewsSchema = mongoose.Schema({
news_id:{
type:Number,
// 唯一索引
unique: true
},
title: {
type:String,
// 普通索引
index: true
},
author: String
});
// 通過Schema來自定義模型的靜態(tài)方法宽闲,自定義數(shù)據(jù)查找的方法
NewsSchema.statics.findByNewsId = function(news_id, callback){
//this指向當前模型众眨,調(diào)用模型上的find()方法,封裝自己的靜態(tài)方法
this.find({news_id: news_id}, function(err, docs){
//數(shù)據(jù)查找完成后容诬,調(diào)用callback娩梨,對錯誤信息或者查找到的數(shù)據(jù)進行處理
callback(err, docs);
})
}
const News = mongoose.model('News', NewsSchema, 'news');
module.exports = News;
然后在相關功能代碼中,就可以通過News.findByNewsId()
來查找數(shù)據(jù)了:
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);
}
調(diào)用實例方法:
// 對News模型實例化
const news = new News({
news_id: 1,
title: '新聞1',
author: 'joyitsai'
})
//在實例上調(diào)用實例方法
news.print();
調(diào)用實例方法后的結果對應了實例方法的定義:
這是一個實例方法
新聞1
實例方法不太常用狈定,但如果你在項目中需要對數(shù)據(jù)模型實例化之后,進行一些特殊的操作习蓬,可以通過實例化方法來執(zhí)行纽什,提高功能性操作的效率。