MongoDB - 文本搜索


从2.4版本开始,MongoDB开始支持文本索引来搜索字符串内容。文本搜索使用词干技术,通过删除诸如a、an、the等词干停用词来查找字符串字段中的指定单词。目前,MongoDB 支持大约 15 种语言。

启用文本搜索

最初,文本搜索是一个实验性功能,但从版本 2.6 开始,默认情况下启用该配置。

创建文本索引

考虑帖子集合下的以下文档,其中包含帖子文本及其标签 -

> db.posts.insert({
   "post_text": "enjoy the mongodb articles on tutorialspoint",
   "tags": ["mongodb", "tutorialspoint"]
}
{
	"post_text" : "writing tutorials on mongodb",
	"tags" : [ "mongodb", "tutorial" ]
})
WriteResult({ "nInserted" : 1 })

我们将在 post_text 字段上创建一个文本索引,以便我们可以在帖子的文本中进行搜索 -

>db.posts.createIndex({post_text:"text"})
{
	"createdCollectionAutomatically" : true,
	"numIndexesBefore" : 1,
	"numIndexesAfter" : 2,
	"ok" : 1
}

使用文本索引

现在我们已经在 post_text 字段上创建了文本索引,我们将搜索文本中包含“tutorialspoint”一词的所有帖子。

> db.posts.find({$text:{$search:"tutorialspoint"}}).pretty()
{
	"_id" : ObjectId("5dd7ce28f1dd4583e7103fe0"),
	"post_text" : "enjoy the mongodb articles on tutorialspoint",
	"tags" : [
		"mongodb",
		"tutorialspoint"
	]
}

上面的命令返回以下结果文档,其帖子文本中包含“tutorialspoint”一词 -

{ 
   "_id" : ObjectId("53493d14d852429c10000002"), 
   "post_text" : "enjoy the mongodb articles on tutorialspoint", 
   "tags" : [ "mongodb", "tutorialspoint" ]
}

删除文本索引

要删除现有的文本索引,首先使用以下查询查找索引的名称 -

>db.posts.getIndexes()
[
	{
		"v" : 2,
		"key" : {
			"_id" : 1
		},
		"name" : "_id_",
		"ns" : "mydb.posts"
	},
	{
		"v" : 2,
		"key" : {
			"fts" : "text",
			"ftsx" : 1
		},
		"name" : "post_text_text",
		"ns" : "mydb.posts",
		"weights" : {
			"post_text" : 1
		},
		"default_language" : "english",
		"language_override" : "language",
		"textIndexVersion" : 3
	}
]
>

从上述查询中获取索引名称后,运行以下命令。这里,post_text_text是索引的名称。

>db.posts.dropIndex("post_text_text")
{ "nIndexesWas" : 2, "ok" : 1 }