Yii:加入前执行where条件

Yii: Executing the where condition before joining

我目前的查询有问题

TableA::find()
->select('*')
->joinWith(['TableB'])
->joinWith(['TableC'])
->joinWith(['TableD'])
->where([TableA.attribute1=1 or TableA.attribute2=1])
->andWhere([(further possible conditions on the other Tables)])
->all()

SQL 查询的通常执行顺序是 From (with joins),然后是 where

有没有办法在连接之前执行第一个 where 条件,以减少连接行的数量?像

TableA::find()
->where([TableA.attribute1=1 or TableA.attribute2=1])
->select('*')
->joinWith(['TableB'])
->joinWith(['TableC'])
->joinWith(['TableD'])
->andWhere([(further possible conditions on the other Tables)])
->all()

好吧,我认为这是最好的方法。但是如果你不从关系 TableBTabelC 打印数据(你只是得到它们关于 where 条件),你可以像这样设置关系:

TableA::find()
->joinWith('TableB', false) //dont load data from this relational table
->joinWith('TableC', false) //dont load data from this relational table
->joinWith(['TableD']) //load data from this relational table
->where([TableA.attribute1=1 or TableA.attribute2=1])
->andWhere([(further possible conditions on the other Tables)])
->all()

您可以修改用于加入 table 的条件。

在 SQL 中看起来像这样:

SELECT 
  * 
FROM 
  `tableA`
  JOIN `tableB` ON (
    `tableA`.`FK` = `tableB`.`PK` 
    AND `tableA`.`attr1` = 'someValue'
  ) 
  JOIN tableC ON (`tableB`.`FK` = `tableC`.`PK`)

要在 Yii 中做到这一点,您可以使用 ActiveQuery::onCondition() 方法。如果你只想对这个查询应用这个条件,你可以在 joinWith() 方法中使用回调来修改用于连接的查询。

$query = TableA::find()
    ->joinWith([
        'tableB' => function(\yii\db\ActiveQuery $query) {
            $query->onCondition(['tableA.attr1' => 'someValue']);
        }
    ])
    //... the rest of query

其他选项是在 sql 查询的 FROM 部分使用子查询,如下所示:

SELECT 
  * 
FROM 
  (
    SELECT 
      * 
    FROM 
      `tableA` 
    WHERE 
      `attr1` = 'someValue'
  ) AS `tableA` 
  JOIN `tableB` ON (`tableA`.`FK` = `tableB`.`PK`)

在 yii 中:

$subQuery = TableA::find()
    ->select('*')
    ->where(['attr1' => 'someValue']);

$query = TableA::find()
    ->select('*')
    ->from(['tableA' => $subQuery])
    ->joinWith('tableB')
    // ... the rest of query

这种方法的主要缺点是子查询中的临时 table 没有任何索引,因此连接和其他条件会变慢。如果 tableA 有很多行并且您希望在连接之前应用的条件会显着减少行数,那么使用这种方法可能仍然值得。