我想搜索MongoDB,这样我只能获得在密钥中的某些配置中找到所有x的结果。
collected_x = ''
for x in input:
collected_x = collected_x + 're.compile("' + x + '"), '
collected_x_cut = collected_x[:-2]
cursor = db.collection.find({"key": {"$all": [collected_x_cut]}})
这不会带来预期的结果。如果我自己输入多个x,它就可以工作。
cursor = db.collection.find({"key": {"$all": [re.compile("Firstsomething"),
re.compile("Secondsomething"),
re.compile("Thirdsomething"),
re.compile("Fourthsomething")]}})
我做错了什么?
答案 0 :(得分:2)
您正在for循环中构建一个字符串,而不是re.compile
个对象的列表。你想要:
collected_x = [] # Initialize an empty list
for x in input: # Iterate over input
collected_x.append(re.compile(x)) # Append re.compile object to list
collected_x_cut = collected_x[:-2] # Slice the list outside the loop
cursor = db.collection.find({"key": {"$all": collected_x_cut}})
一种简单的方法是使用map
来构建列表:
collected = map(re.compile, input)[:-2]
db.collection.find({"key": {"$all": collected}})
collected = [re.compile(x) for x in input][:-2]
db.collection.find({"key": {"$all": collected}})