我想用带有连接的CDbCriteria创建一个查询

时间:2013-05-15 12:47:58

标签: join criteria yii

SELECT * FROM table1 a, table2 m WHERE a.colid=1 and m.colid=1 order by a.date desc

1 个答案:

答案 0 :(得分:1)

假设您的表结构如下所示

        Table1
        ==========================
        colid | col2 | col3 | col4


        Table2
        ==========================
        colid | col2 | col3 | col4

关系很重要

在Yii框架中,ActiveRecords概念在数据库操作中扮演着重要角色。 AR类引用数据库表。要执行关系查询,您应该定义表之间的关系。您可以使用模型中的 relations()方法执行此操作。请注意以下语法。

如果Table1在表2中有更多的关系实体,那么关系应该是

 class Table1 extends CActiveRecord
 {
     public function relations()
     {
          return array(
              'table2' => array(self::HAS_MANY, 'Table2', 'colid'),
          );
     }
 }

这里,表2也与表1有关系。即,

 class Table2 extends CActiveRecord
 {
     public function relations()
     {
          return array(
              'table1' => array(self::BELONGS_TO, 'Table1', 'colid'),
          );
     }
 }

如果您现在在程序中有这些说明,则可以轻松执行关系查询。

使用CDbCriteria

    $cri = new CDbCriteria();
    $cri->join = 'JOIN table2 t2 ON t1.colid = 1 and t2.colid = 1';
    $cri->order = 'col3 DESC'; //In your case date fields

    $RS = Table1::model()->findAll($cri);

    echo '<pre>';
    print_r($RS);
    echo "</pre>";

    //to echo col2 info of table1
    echo $RS[0]->col2;

    //to echo col1 info of table2
    echo $RS[0]->table2[0]->col2;

你可以用一行做同样的事情

     $info = Table1::model()->findByPk(1);
     echo ($info->table2[0]->col2);

我希望它可以帮助您计算程序中的说明。