21

我正在使用学说 2.1 为settings表创建模型:

id |  arg  |  value  |  category
1  |  name |  foo    |  general_settings 
2  |  desc |  bar    |  general_settings 

假设我有很多不同类别的设置。为了获得特定类别的所有设置,我执行以下操作:

$q = Doctrine_Query::create()
    ->from('Setting p')
    ->where('p.category = ?', $category_name);

此时一切正常。嗯.. 64,000 美元的问题是:是否存在允许我读取如下结果的数据访问替代方案?

$resultSet = $q->execute(); 

//the magic here could be use the -arg- column as index
$requested_setting = $resulSet['name']  

//print the setting value
echo $requested_setting['value'];  //should prints "foo"

//another way
echo $resulSet['desc']['value']; //should prints "bar"
4

4 回答 4

64

我明白了:这里的诀窍是使用这个INDEX BY词。

查询类

导入查询类(不总是可选的):

use \Doctrine\ORM\Query;

创建查询:

$query = $this->data->em->createQuery('
    SELECT s 
    FROM models\Setting s 
    INDEX BY s.arg //to set array custom key
    WHERE s.category = :category');
$query->setParameter('category', 'general');

设置隐藏模式以使用只读数组

$settings = $query->getResult(Query::HYDRATE_ARRAY); 

显示值:

echo $settings['desc']['value'];  // prints "bar"

查询生成器

使用该对象,您可以在语句QueryBuilder中设置索引:from

$qb = $em->createQueryBuilder();
$qb->select('s');
$qb->from('models\Settings', 's', 's.arg');  // here the magic
$result = $qb->getQuery()->getResult();

然后,您可以通过以下方式访问该对象:

$description = $result['desc'];
$value = $description->getValue();
于 2012-08-23T18:05:02.833 回答
18

仅供参考,在您的 EntityRepository 中使用 createQueryBuilder 时,您可以直接指定 INDEX BY 以及别名:

$this->createQueryBuilder('p', 'p.id')

这避免了手动处理 EntityRepositories 中自动处理的操作。

于 2017-03-29T21:45:46.063 回答
1

使用 Doctrine IndexBy 函数,将列值显示为数组索引

$this
// database table alias
->createQueryBuilder( 'app_settings' )
// first parameter should be alias and second parameter will be column name, which you want to show as array index
->indexBy('app_settings','app_settings.name')
// get query
->getQuery()
// get doctrine result in array format
->getArrayResult();

提及查询的结果将采用以下格式: 提及查询的结果

于 2019-06-26T11:53:29.673 回答
0

为了完整起见,使用 时NativeQuery,可以在ResultSetMapping对象中定义结果数组的索引。例如,通过使用addIndexByScalar方法。

$rsm = new ResultSetMapping();

$rsm->addScalarResult('ctime', 'ctime', 'datetime');
$rsm->addScalarResult('id', 'id', 'integer');
$rsm->addIndexByScalar('id'); // ← 

$stm = $this->getEntityManager()->createNativeQuery("SELECT ctime, id FROM table", $rsm);
$stm->getArrayResult();
于 2022-02-17T08:15:47.127 回答