MongoDB教學
MongoDB快速入門
MongoDB歷史
MongoDB特點
MongoDB數據庫的優點
MongoDB安裝配置(Windows)
MongoDB安裝配置(Ubuntu)
MongoDB安裝配置(RedHat/CentOS)
MongoDB數據建模
MongoDB創建數據庫
MongoDB刪除數據庫
MongoDB創建集合
MongoDB刪除集合
MongoDB數據類型
MongoDB插入文檔
MongoDB查詢文檔
MongoDB更新文檔
MongoDB刪除文檔
MongoDB投影(選擇字段)
MongoDB限制記錄數
MongoDB排序記錄
MongoDB索引
MongoDB聚合
MongoDB複製
MongoDB分片
MongoDB備份與恢復
MongoDB部署
Java連接MongoDB操作
Python連接MongoDB操作
PHP連接MongoDB操作
Ruby連接MongoDB操作
MongoDB分析查詢
分析查詢是衡量數據庫和索引設計的有效性的一個非常重要的方式。在這裏我們將介紹兩個經常使用的$explain
和$hint
查詢。
使用 $explain 操作符
$explain
操作符提供有關查詢的信息,查詢中使用的索引和其他統計信息。它在在分析索引優化情況時非常有用。
在最後一章中,我們已經使用以下查詢在users
集合的字段:gender
和 user_name
上創建了一個索引:
>db.users.ensureIndex({gender:1,user_name:1})
現在將在以下查詢中使用$explain
:
>db.users.find({gender:"M"},{user_name:1,_id:0}).explain()
上述explain()
查詢返回以下分析結果 -
{
"cursor" : "BtreeCursor gender_1_user_name_1",
"isMultiKey" : false,
"n" : 1,
"nscannedObjects" : 0,
"nscanned" : 1,
"nscannedObjectsAllPlans" : 0,
"nscannedAllPlans" : 1,
"scanAndOrder" : false,
"indexOnly" : true,
"nYields" : 0,
"nChunkSkips" : 0,
"millis" : 0,
"indexBounds" : {
"gender" : [
[
"M",
"M"
]
],
"user_name" : [
[
{
"$minElement" : 1
},
{
"$maxElement" : 1
}
]
]
}
}
現在將看看這個結果集中的字段 -
-
indexOnly
的true
值表示此查詢已使用索引。 -
cursor
字段指定使用的遊標的類型。BTreeCursor
類型表示使用了索引,並且還給出了使用的索引的名稱。BasicCursor
表示完全掃描,而不使用任何索引的情況。 -
n
表示返回的文檔數。 -
nscannedObjects
表示掃描的文檔總數。 -
nscanned
表示掃描的文檔或索引條目的總數。
使用 $hint
$hint
操作符強制查詢優化器使用指定的索引來運行查詢。當要測試具有不同索引的查詢的性能時,這就特別有用了。 例如,以下查詢指定要用於此查詢的gender
和user_name
字段的索引 -
> db.users.find({gender:"M"},{user_name:1,_id:0}).hint({gender:1,user_name:1})
要使用$explain
來分析上述查詢 -
>db.users.find({gender:"M"},{user_name:1,_id:0}).hint({gender:1,user_name:1}).explain()