PyMongo find() query with $or and $regex
MongoDB文档的集合,包含有关书籍的信息。
我需要使用以下条件查找文档:
(
在mongo shell中,我正在使用此查询,它工作得很好:
1 | db.books.find({$or: [{author: {$regex: /.*substring.*/i}}, {header: {$regex: /.*substring.*/i}}]}) |
但是我无法使其在PyMongo中工作。
这是我的代码:
1 2 3 4 5 6 7 8 9 | search = 'substring' search_request = { '$or': [ {'author': {'$regex': f"/.*{search}.*/", '$options': 'i'}}, {'header': {'$regex': f"/.*{search}.*/", '$options': 'i'}} ] } cursor = self.books.find(search_request) |
它什么也没返回。
我正在使用Python 3.7.0,PyMongo 3.7.1,MongoDB Server 3.2.11。
在Python中,可以编写相同的字符而没有正斜杠。 例如
1 2 3 4 5 6 7 | search_request = { '$or': [ {'author': {'$regex': f".*{search}.*", '$options': 'i'}}, {'header': {'$regex': f".*{search}.*", '$options': 'i'}} ] } |
如果您想成为惯用语言并创建正则表达式对象。 您可以用相同的结果执行此操作:
1 2 3 4 5 6 7 8 9 10 11 | import re search ="substring" search_expr = re.compile(f".*{search}.*", re.I) search_request = { '$or': [ {'author': {'$regex': search_expr}}, {'header': {'$regex': search_expr}} ] } |