使用Mongoskin通过每个产品的字段描述中的单词查找MongoDB文档

时间:2015-04-08 14:09:04

标签: node.js mongodb express mongoskin

这是我在MongoDB中的文档示例:

{
    "_id": ObjectId('5525039895884d66710d0fc3'),
    "prid": "63527",
    "data": {
        "sku": "HF22-81639",
        "name": "Product Test",
        "ean": "8763900872512",
        "description": "This product is my first test",
    }
}

此搜索“描述”不起作用(这是我需要帮助的地方):

app.get("/description/:id", auth, function(req, res, next) {
    req.collection.findOne({
        "data.description": req.params.id
    }, function(e, result) {
        if(e) return next(e);
        res.send(result);
    });
});

我需要通过一个词来查找,集合中存在的所有产品都包含在说明字段中。

1 个答案:

答案 0 :(得分:2)

要查找单词,集合中存在的所有产品都在说明字段中包含该单词,您需要与不区分大小写的正则表达式匹配。您可以使用以下查询(作为示例):

db.product.find({"data.description": /test/i});

i中的/test/i表示不区分大小写,因此正则表达式匹配任何带有字符串"test"的文本的说明字段。等效的SQL表达式如下:

select * from product where description like '%test%'

因此,您可以在路由实现中使用相同的方法,使用find()方法返回所有匹配的文档,而不是只返回一个文档的findOne()

app.get("/description/:id", auth, function(req, res, next) {
    req.collection.find({
        "data.description": /req.params.id/i
    }, function(e, result) {
        if(e) return next(e);
        res.send(result);
    });
});

另一种选择是在查找操作中使用$text运算符,因为它对使用文本索引编制索引的字段的内容执行文本搜索。所以你要做的第一件事是在描述字段上创建一个文本索引:

db.collection.createIndex( { "data.description": "text" } )

之后,您可以使用$ text运算符进行查询。例如,以下查询搜索术语coffee:

db.collection.find( { $text: { $search: "coffee" } } )

修改

在所有条件相同的情况下,您可以更新路由实现,以便在URL中使用查询字符串:

app.get("/description", auth, function(req, res, next) {
    req.collection.find({
        $text: { $search: req.params.q }
    }, function(e, result) {
        if(e) return next(e);
        res.send(result);
    });
});

您可以在浏览器中查询http://localhost/description?q=product