2

好的,这是我的表/模型结构:模型关联得当。

表结构

我正在尝试查询给定客户端 ID的持有值总和,并将给定值总和的日期作为数组键。

我已经查阅了文档,我在客户端模型中为我的查询生成了以下参数:

$findParameters = array(
    'conditions' => array(
        'Account.client_id' => $clientId,
        'Holding.holding_date = LAST_DAY(Holding.holding_date)', //gets month-end dates only
        'MONTH(Holding.holding_date)' => array(3,6,9,12) //Use for quarter-end dates
        ),
    'fields' => array(
        'Holding.holding_date',
        'SUM(Holding.value) AS portfolio_value'
        ),
    'group' => array('Holding.holding_date')
);

当我运行查询时

$holdings = $this->Account->Holding->find( 'all', $findParameters );

我得到这样的结果:

Array
(
    [0] => Array
        (
            [Holding] => Array
                (
                    [holding_date] => 2009-12-31
                )

            [0] => Array
                (
                    [portfolio_value] => 273239.07
                )

        )

    [1] => Array
        (
            [Holding] => Array
                (
                    [holding_date] => 2010-03-31
                )

            [0] => Array
                (
                    [portfolio_value] => 276625.28
                )

        )
...

这很好,但我想要这样的数组中的结果:

Array (
    [2009-12-31] => 273239.07
    [2010-03-31] => 276625.28
    ...
)

所以我尝试做:

$holdings = $this->Account->Holding->find( 'list', $findParameters )

但我得到了错误:

Error: SQLSTATE[42S22]: Column not found: 1054 Unknown column 'Account.client_id' in 'where clause'

该查询看起来好像不再对表执行连接。知道为什么,如果我使用all而不是,它可以正常工作list吗?以及如何获得我想要的结果?


编辑:我已经使用 Cake 的hash类实现了我的结果,但想知道直接查询是否是一种更优越、更有效的方法。

我的方法:

    $holdings = $this->Account->Holding->find( 'all', $findParameters );

    $values = Hash::extract($result, '{n}.0.portfolio_value');
    $dates = Hash::extract($result, '{n}.Holding.holding_date');

    $result = array_combine($dates, $values);
    return $result;
4

2 回答 2

2

一般评论

CakePHP 的 ORM 非常适合轻松查找查询(包括group by sort...)。当涉及到更高级的东西时,您需要处理在 PHP 中检索到的数据或制作普通的 SQL Query

关于关联数组

Model::find('all')Model::find('first')将始终返回一个关联数组。其他 find 方法将返回不同类型的数组,但您将无法使用开箱即用的模型函数获得所需的结果。

关于未添加到正确子数组的字段

为了让您的字段在您拥有时正确显示SUM()AVG()或者COUNT()您可以在此处阅读SQLvirtual fields查询

如何在 CakePHP 中提取/格式化数组

最简单的方法是使用Hash该类以您想要的方式提取和格式化数据。

使用Hash::combine你可以实现你正在寻找这样的东西:

$result = Hash::combine($holdings, '{n}.Holding.holding_date', '{n}.0.portfolio_value');
于 2013-09-13T13:51:29.457 回答
0

请试试

$findParameters = array(
    'conditions' => array(
        'Account.client_id' => $clientId,
        'Holding.holding_date = LAST_DAY(Holding.holding_date)', //gets month-end dates only
        'MONTH(Holding.holding_date)' => array(3,6,9,12) //Use for quarter-end dates
        ),
    'fields' => array(
        'Holding.holding_date',
        'SUM(Holding.value) AS portfolio_value'
        ),
    'group' => array('Holding.holding_date'),
    'contain' => array('Account),
);
于 2013-09-13T09:52:04.737 回答