选择一栏原则DQL

问题描述 投票:10回答:2

我需要一个简单的表列。

例如,表“项目”具有列idnameyear

如果我这样做:

$q = Doctrine_Query::create()
        ->select('a.pro_id')
        ->from('fndr_proyecto a')
        ->where('a.pro_id =?',1);
    $pro = $q->execute();
    json_encode($pro->toArray());

答案是所有列都一样

{"id":1,"name":"Project name","year":2013}

但是我只需要一列。我期望:

{"id":1}

它与DQL一起使用,因为使用本机SQL可以正常工作。

ORM是使用可视范例自动构建的。

php doctrine dql doctrine-1.2
2个回答
31
投票

因为这是因为Doctrine将所有对象信息与响应结合在一起,所以所有列都是如此。

您需要使用另一种水合方法there are many one,但让我们重点研究其中5种:

  • HYDRATE_RECORD,默认值之一
  • HYDRATE_ARRAY
  • HYDRATE_NONE
  • HYDRATE_SCALAR
  • HYDRATE_ARRAY_SHALLOW

您需要HYDRATE_ARRAY_SHALLOW水合方法。这就是为什么。

  1. HYDRATE_RECORD

    $q = Doctrine_Query::create()
        ->select('a.pro_id')
        ->from('fndr_proyecto a')
        ->where('a.pro_id = ?',1);
    $pro = $q->execute(array(), Doctrine_Core::HYDRATE_RECORD);
    var_dump(json_encode($pro->toArray()));
    

    这将使用对象合并结果,也将合并关系(如果在查询中使用leftJoin)。由于它返回对象,因此我们需要调用toArray()才能发送适当的json:

    [{"id":1,"name":"Project name","year":2013}]"
    
  2. HYDRATE_ARRAY

    $q = Doctrine_Query::create()
        ->select('a.pro_id')
        ->from('fndr_proyecto a')
        ->where('a.pro_id = ?',1);
    $pro = $q->execute(array(), Doctrine_Core::HYDRATE_ARRAY);
    var_dump(json_encode($pro));
    

    这将水化结果为数组并自动添加主键:

    [{"id":"1","pro_id":"1"}]"
    
  3. HYDRATE_NONE

    $q = Doctrine_Query::create()
        ->select('a.pro_id')
        ->from('fndr_proyecto a')
        ->where('a.pro_id = ?',1);
    $pro = $q->execute(array(), Doctrine_Core::HYDRATE_NONE);
    var_dump(json_encode($pro));
    

    这不会合并结果,只返回值:

    [["1"]]"
    
  4. HYDRATE_SCALAR

    $q = Doctrine_Query::create()
        ->select('a.pro_id')
        ->from('fndr_proyecto a')
        ->where('a.pro_id = ?',1);
    $pro = $q->execute(array(), Doctrine_Core::HYDRATE_SCALAR);
    var_dump(json_encode($pro));
    

    这会从选择中合并结果,但键索引为具有表别名的列名:

    [{"a_pro_id":"1"}]"
    
  5. HYDRATE_ARRAY_SHALLOW

    $q = Doctrine_Query::create()
        ->select('a.pro_id')
        ->from('fndr_proyecto a')
        ->where('a.pro_id = ?',1);
    $pro = $q->execute(array(), Doctrine_Core::HYDRATE_ARRAY_SHALLOW);
    var_dump(json_encode($pro));
    

    这会从选择中混合出结果,但键索引为没有表别名的列名:

    "[{"pro_id":"1"}]"
    

0
投票

我不确定使用的是哪种版本的Doctrine j0k。它提供了一些答案,但是我确实很难找到Doctrine_Query和Doctrine_Core类。我正在使用Doctrine 2.3.4。以下对我有用。

public static function getAllEventIDs($em) {
    return parent::getAllFromColumn('\path\to\Entity\entityName', 'id', $em);
}

public static function getAllFromColumn($tableName, $columnName, $em) {
    $q = $em->createQueryBuilder('t')
    ->select("t.$columnName")
    ->from($tableName, 't');

    $q = $q->getQuery();

    $result = $q->getResult(\Doctrine\ORM\Query::HYDRATE_SCALAR);

    return $result;
}

然而,这确实返回了一个数组数组。即,第一个事件的ID为

$result[0]['id'];
© www.soinside.com 2019 - 2024. All rights reserved.