MongoDB之索引(全文索引)

stonebox1122發表於2017-08-24
在一些資訊管理平臺上經常需要進行資訊模糊查詢,最早的時候是在某個欄位上實現的模糊查詢,但是這個時候返回的資訊並不會很準確,因為只能夠查A欄位或者是B欄位,而在MongoDB裡面實現了非常簡單的全文檢索。

範例:定義一個新的集合
db.news.insert({"title":"stoneA","content":"ttA"});
db.news.insert({"title":"stoneB","content":"ttB"});
db.news.insert({"title":"stoneC","content":"ttC"});
db.news.insert({"title":"stoneD","content":"ttD"});

範例:建立全文索引
> db.news.createIndex({"title":"text","content":"text"});
{
        "createdCollectionAutomatically" : false,
        "numIndexesBefore" : 1,
        "numIndexesAfter" : 2,
        "ok" : 1
}

範例:實現資料的模糊查詢
如果要想表示出全文檢索,則使用“$text"判斷符,而要想進行資料的查詢則使用“$search”運算子:
  ● 查詢指定的關鍵字:{"$search":"查詢關鍵字"}
  ● 查詢多個關鍵字(或關係):{"$search":"查詢關鍵字 查詢關鍵字 ..."}
  ● 查詢多個關鍵字(與關係):{"$search":"\"查詢關鍵字\" \"查詢關鍵字\" ..."}
  ● 查詢多個關鍵字(排除某一個):{"$search":"查詢關鍵字 查詢關鍵字 ...-排查關鍵字"}

範例:查詢單個內容
> db.news.find({"$text":{"$search":"stoneA"}})
{ "_id" : ObjectId("5992c4310184ff511bf02bbb"), "title" : "stoneA", "content" : "ttA" }

範例:查詢包含有“stoneA”和“stoneB”的資訊
> db.news.find({"$text":{"$search":"stoneA stoneB"}})
{ "_id" : ObjectId("5992c4310184ff511bf02bbc"), "title" : "stoneB", "content" : "ttB" }
{ "_id" : ObjectId("5992c4310184ff511bf02bbb"), "title" : "stoneA", "content" : "ttA" }

範例:查詢同時包含有“ttC”和“ttD”
> db.news.find({"$text":{"$search":"\"ttC\" \"ttD\""}})
{ "_id" : ObjectId("5992c61d0184ff511bf02bc1"), "title" : "stoneC", "content" : "ttC ttD ttE" }
{ "_id" : ObjectId("5992c61d0184ff511bf02bc2"), "title" : "stoneD", "content" : "ttC ttD ttF" }

範例:查詢包含有“ttE”但是不包含“ttF”
> db.news.find({"$text":{"$search":"ttE -ttF"}})
{ "_id" : ObjectId("5992c61d0184ff511bf02bc1"), "title" : "stoneC", "content" : "ttC ttD ttE" }

但是在進行全文檢索操作的時候還可以使用相似度的打分來判斷檢索結果。

範例:為查詢結果打分
> db.news.find({"$text":{"$search":"ttC ttD ttE"}},{"score":{"$meta":"textScore"}}).sort({"score":{"$meta":"textScore"}})
{ "_id" : ObjectId("5992c61d0184ff511bf02bc1"), "title" : "stoneC", "content" : "ttC ttD ttE", "score" : 2 }
{ "_id" : ObjectId("5992c61d0184ff511bf02bc2"), "title" : "stoneD", "content" : "ttC ttD ttF", "score" : 1.3333333333333333 }

按照打分的成績進行排列,實際上就可以實現更加準確的資訊搜尋。
如果一個集合的欄位太多了,那麼每一個欄位都分別設定全文索引比較麻煩,簡單一些,可以為所有欄位設定全文索引。

範例:為所有欄位設定全文索引
> db.news.dropIndexes()
{
        "nIndexesWas" : 2,
        "msg" : "non-_id indexes dropped for collection",
        "ok" : 1
}
> db.news.createIndex({"$**":"text"});
{
        "createdCollectionAutomatically" : false,
        "numIndexesBefore" : 1,
        "numIndexesAfter" : 2,
        "ok" : 1
}
這是一種最簡單的設定全文索引的方式,但是儘可能別用,會慢。

來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/28536251/viewspace-2144104/,如需轉載,請註明出處,否則將追究法律責任。

相關文章