在日常使用的Mongodb中,有一项功能叫做模糊查询(使用正则匹配),例如:


db.article.find({"title": {$regex: /a/, $options: "im"}})

这是我们常用Mongodb的命令行使用的方式,但是在mgo中做出类似的方式视乎是行不通的:

1
2
3

query := bson.M{"title": bson.M{"$regex": "/a/", "$options": "im"}}

大家用这个方式去查询,能查询到算我输!

下面总结一下,正真使用的方式:

  1. 在Mongodb的命令行中,我们可以使用形如 \abcd\ 的方式来作为我们的pattern,但是在mgo是直接传入字符串来进行的,也就是传入的是"\a",而不是\a\。

根据第一点,我们将代码修改一下。

1
2
3

query := bson.M{"title": bson.M{"$regex": "a", "$options": "im"}}

但是我们会发现依然不能得到我们想要的结果,那么第二点就会产生了!

  1. 在mgo中要用到模糊查询需要mgo中自带的一个结构: bson.RegEx
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25

// RegEx represents a regular expression.  The Options field may contain

// individual characters defining the way in which the pattern should be

// applied, and must be sorted. Valid options as of this writing are 'i' for

// case insensitive matching, 'm' for multi-line matching, 'x' for verbose

// mode, 'l' to make \w, \W, and similar be locale-dependent, 's' for dot-all

// mode (a '.' matches everything), and 'u' to make \w, \W, and similar match

// unicode. The value of the Options parameter is not verified before being

// marshaled into the BSON format.

type RegEx struct {

	Pattern string

	Options string

}

那么最终我们的代码为:


query := bson.M{"title": bson.M{"$regex": bson. RegEx:{Pattern:"/a/", Options: "im"}}}