2

假设我有两个这样的表:

users:
    - id
    - username

profiles:
    - user_id
    - name

使用 datamapper ORM codeigniter 我可以编写如下查询:

$users = new User();
$users->where_related('profile', 'name', 'Diego');
$users->get();

它将返回配置文件名称为 Diego 的用户。如何使用 Eloquent ORM 实现这一目标?我知道如何使用 fluent(pure sql) 做到这一点,但不知道如何使用 eloquent 做到这一点。

编辑:我使用这个查询解决了这个问题,但感觉很脏,有没有更好的方法来做到这一点?

$users = Users::join('profiles', 'profiles.user_id', '=', 'user.id')->where('profiles.name', 'Diego')->get();
4

1 回答 1

0

您必须为每个表创建模型,然后指定关系。

<?php
class User {
    protected $primaryKey = 'id';
    protected $table = 'users';
    public function profile()
    {
        return $this->hasOne('Profile');
    }
}
class Profile {
    protected $primaryKey = 'user_id';
    protected $table = 'profiles';
}
$user = User::where('username', 'Diego')->get();
// Or eager load...
$user = User::with('Profile')->where('username', 'Diego')->get();
?>

Laravel 文档使这个过程非常清晰: http ://four.laravel.com/docs/eloquent#relationships 。

请注意,Eloquent 可以使用 Fluent 方法并且可以链接起来,例如 where()->where()->orderBy()->etc....

于 2013-10-04T16:23:49.820 回答