使用部分字符串

时间:2016-02-02 11:33:47

标签: node.js mongodb mongoose text-search

您好我正在使用 mongoose 来搜索我的收藏中的人。

/*Person model*/
{
    name: {
       first: String,
       last: String
    }
}

现在我想搜索有查询的人:

let regex = new RegExp(QUERY,'i');

Person.find({
   $or: [
      {'name.first': regex},
      {'name.last': regex}
   ]
}).exec(function(err,persons){
  console.log(persons);
});

如果我搜索 John ,我会收到结果(如果我搜索 Jo ,则为该事件)。 但如果我搜索 John Doe ,我显然没有得到任何结果。

如果我将 QUERY 更改为 John | Doe ,我会收到结果,但会返回所有 John Doe的人在他们的姓/名中。

接下来要尝试使用mongoose textsearch:

首先将字段添加到索引:

PersonSchema.index({
   name: {
      first: 'text',
      last: 'text'
   }
},{
   name: 'Personsearch index',
   weights: {
      name: {
          first : 10,
          last: 10
   }
}
});

然后修改Person查询:

Person.find({ 
    $text : { 
        $search : QUERY
    } 
},
{ score:{$meta:'textScore'} })
.sort({ score : { $meta : 'textScore' } })
.exec(function(err,persons){
    console.log(persons);
});

这很好用! 但是现在它只返回与整个名/姓相匹配的人:

- > 约翰返回值

- > Jo 不返回任何值

有没有办法解决这个问题?

答案没有外部插件是首选,但也欢迎其他人。

2 个答案:

答案 0 :(得分:7)

正则表达可以帮助你解决这个问题。

Person.find({ "name": { "$regex": "Alex", "$options": "i" } },
function(err,docs) { 
});

答案 1 :(得分:5)

您可以使用aggregate管道执行此操作,该管道使用$concat将名字和姓氏连接在一起,然后搜索:

let regex = new RegExp(QUERY,'i');

Person.aggregate([
    // Project the concatenated full name along with the original doc
    {$project: {fullname: {$concat: ['$name.first', ' ', '$name.last']}, doc: '$$ROOT'}},
    {$match: {fullname: regex}}
], function(err, persons) {
    // Extract the original doc from each item
    persons = persons.map(function(item) { return item.doc; });
    console.log(persons);
});

然而,性能是一个问题,因为它不能使用索引,因此需要进行完整的集合扫描。

您可以通过$project阶段前面的$match查询来缓解这种情况,可以使用索引来减少管道其余部分需要查看的文档集在

因此,如果您单独索引name.firstname.last,然后将搜索字符串的第一个单词作为锚定查询(例如/^John/i),则可以将以下内容添加到开头您的管道:

{$match: $or: [
  {'name.first': /^John/i},
  {'name.last': /^John/i}
]}

显然你需要以编程方式生成“第一个单词”正则表达式,但希望它能为你提供这个想法。