2

我想查看连接中的所有记录,在连接的WHERE每一侧设置条件。

例如,我有LOANBORROWER(加入borrower.id = loan.borrower_id)。我想要 LOAN.field = 123 和BORROWER.field = 'abc'.

这里的答案(例如这个)似乎说我应该使用 Containable。

我试过了。这是我的代码:

$stuff = $this->Borrower->find('all', array(
    'conditions' => array(
        'Borrower.email LIKE' => $this->request->data['email'] // 'abc'
    ),
'contain'=>array(
    'Loan' => array(
        'conditions' => array('Loan.id' => $this->request->data['loanNumber']) // 123
        )
    )
)); 

我希望得到一个结果,因为在我的数据中,只有一个具有这两种条件的连接记录。相反,我得到两个结果,

结果 1 {Borrower: {field:abc, LOAN: {field: 123} }// 正确

结果 2 {Borrower: {field:abc, LOAN: {NULL} }// 不正确

当我查看 CakePHP 使用的 SQL 时,我没有看到连接。我看到的是两个单独的查询:

查询 1: SELECT * from BORROWER // (yielding 2 IDs),

查询 2:SELECT * FROM LOAN WHERE borrower_id in (IDs)

这不是我想要的。我想加入表格,然后应用我的条件。我可以很容易地编写 SQL 查询,但由于我们采用了该框架,因此我正在尝试以 Cake 的方式进行。

是否可以?

4

2 回答 2

6

尝试做这样的事情:

    $options['conditions'] = array(
           'Borrower.email LIKE' => $this->request->data['email'] // 'abc',
           'loan.field' => '123' )

    $options['joins'] = array(
        array('table' => 'loans',
              'alias' => 'loan',
              'type' => 'INNER',
              'conditions' => array(
                    'borrower.id = loan.borrower_id')
                )
            );

    $options['fields'] = array('borrower.email', 'loan.field');

    $test = $this->Borrower->find('all', $options);

您应该看到如下 SQL 语句:

SELECT borrower.email, loan.field
FROM borrowers AS borrower
INNER JOIN loans AS loan
    ON borrower.id = loan.borrower_id
    AND loan.field = '123'
WHERE borrower.email = 'abc'

您的结果将在一个数组中

{Borrower: {field:abc} LOAN: {field: 123} }

您将在本文档中找到更多信息。

于 2013-04-29T19:31:56.027 回答
3

我想我会接受 Jose 的回答,因为这正是我想要的。但我确实注意到,如果我使用其他模型作为起点,我不需要任何花哨的技巧——不需要连接或包含。

一个Borrower hasMany Loans 和一个Loan belongsToa Borrower。使用Loan我的模型,Cake 会自动加入表格,但不使用Borrower.

$this->Loan->find('all', array( // Not $this->Borrower->find() !
'conditions' => array(
    'Borrower.field' => 'abc',
    'Loan.field' => 123
)
));
于 2013-04-29T21:25:14.487 回答