1

我正在尝试找到一种从 Kohana 的不同相关表中获取数据的方法。

我有定义为的文件表:

class Model_File extends ORM {

    protected $_belongs_to = array
    (
    'student' => array ('foreign_key' => 'student_id' )
    );
}

然后会话表:

class Model_Filesession extends ORM {

    protected $_primary_key = 'id';
    protected $_table_name = 'file_sessions';  


    protected $_belongs_to = array
    (
    'file'       => array ('modele'=> 'file'       , 'foreign_key' => 'file_id'     ),
    'subject'    => array ('modele'=> 'subject'    , 'foreign_key' => 'subject_id'  ),
    'place'      => array ('modele'=> 'place'      , 'foreign_key' => 'place_id'    ),
    'teacher'    => array ('modele'=> 'teacher'    , 'foreign_key' => 'teacher_id'  )
    );

}

所以文件会话和学生之间没有直接联系......所以我不能将它添加到文件会话的加入中(->with('student')

目前我正在这样做:

        $fileSessions  =   ORM::factory('filesession')
        ->with('subject')
        ->with('teacher')
        ->with('place')
        ->with('file')
        ->where('payment_id','=',$payment_id)
        ->order_by('sessionDate','DESC')
        ->find_all();

如何将此查询修改为 JOIN 在学生表上?

换句话说......我只需要添加以下内容:

INNER JOIN students ON students.id = file.student_id

但是使用 Kohana ORM

编辑(添加了学生模型)

class Model_Student extends ORM {

    protected $_has_one = array(
    'file' => array(
    'model'       => 'file',
    'foreign_key' => 'student_id',
    ),
    );

     protected $_belongs_to = array
    (
    'level' => array ('foreign_key' => 'level_id' )
    );

}
4

1 回答 1

1

您可以像在数据库查询构建器中一样使用joinandon

    $fileSessions  =   ORM::factory('filesession')
    ->with('subject')
    ->with('teacher')
    ->with('place')
    ->with('file')
    ->join(array('students','student'))->on('student.id', '=', 'file.student_id')
    ->where('payment_id','=',$payment_id) 
    ->order_by('sessionDate','DESC')
    ->find_all();

或者您可以$_load_with在文件模型上使用该属性。它会自动为您加载,因此您不需要第二次通话。

class Model_File extends ORM {

  protected $_belongs_to = array
  (
  'student' => array ('foreign_key' => 'student_id' )
  );
  protected $_load_with = array('student');
}

当您加载File模型时,您可以通过使用$file->student自动访问它Filesession,例如,它会是$filesession->file->student

于 2012-12-28T09:06:38.200 回答