4

我在 MongoDB 中有一个数据模型,我可以通过本机 MongoDB 查询成功查询。但是我无法使用 Doctrine MongoDB ODM 的查询生成器 API 来表达它们。

这就是我的模型在 MongoDB 中的样子(这是一些 JSON 代码示例):

{ "name": "ArticleName", 
  "features": {
    { "type": "color",
      ...
      "values": {
        { "value": "RED", 
          "label": "red",
          ....
        },

        { "value": "GREEN", 
          "label": "green" }
      } 
    },
    { "type": "width",
      "values": {
        { "value": "40"}
      } 
    }
  }
}

我想通过搜索不同的特征值组合来找到文章,例如我想找到一篇颜色=绿色和宽度=40的文章。

但是,我无法使用 Doctrine MongoDB ODM Query Builder API** 构建查询?这是我尝试过的:

# Document/ArticleRepository.php    

$features = array('color'=>'RED', 'width'=>'40');
$qb = $this->createQueryBuilder('CatalogBundle:Article'); // I use symfony 2
foreach ($features as $type => $value)
{
    $qb->field('features')->elemMatch(
        $qb->expr()->field('type')->equals($type)->field('values')->elemMatch(
            $qb->expr()->field('value')->equals($value)
        )
    );
}
return $qb->getQuery()->execute();

但是,这确实会导致查询,其中仅包含一个条件。另一个条件似乎被覆盖了。这是查询生成器生成的查询

db.articles.find({ "features": { "$elemMatch": { "type": "width", "values": { "$elemMatch": { "value": 40 } } } } })

有没有办法使用 MongoDB ODM Query Builder API 解决我的用例?

4

1 回答 1

5

同时,我使用$all-Operator解决了我的问题。我构建了一个表达式数组,它们被传递给 Doctrine MongoDB all()-Method。我上面尝试的策略$elemMatch甚至不适用于 MongoDB。您必须在末尾添加->getQuery()才能将表达式写入数组。由于某些原因,表达式尚未记录在案,但是您可以在源代码中检查它们的功能。

# Document/ArticleRepository.php

$features = array('color'=>'RED', 'width'=>'40');
$qb = $this->createQueryBuilder('CatalogBundle:Article');
$all_features[] = array();

foreach ($features as $templateID => $value)
{
    # Add expression as a subquery to array
    $all_features[] = $qb->expr()->elemMatch(
        $qb->expr()->field('templateID')->equals($templateID)->field('values')->elemMatch(
            $qb->expr()->field('value')->equals($value)
        )
    )->getQuery();
}
# Add expressions to query
$qb->field('features')->all($all_features);

表达式几乎支持您在构建查询时可以使用的所有方法。您可以通过交错几个表达式来构建您的 MongoDB 请求。这允许您构建复杂的 MongoDB 查询,否则您只能通过将数组传递给findBy()-Method 来构建。但是,在 Doctrine ODM 的当前版本(Beta 2)中,此策略不允许您向 MongoDB 链添加更多方法,例如.limit().

因此,表达式看起来是使用 Doctrine MongoDB 构建复杂查询的最佳策略。

于 2011-04-28T01:19:46.300 回答