Laravel where on relationship object

我正在使用Laravel 5.0开发一个Web API,但我不确定我正在尝试构建的特定查询。

我的课程如下:

class Event extends Model {

    protected $table = 'events';
    public $timestamps = false;

    public function participants()
    {
        return $this->hasMany('App\Participant', 'IDEvent', 'ID');
    }

    public function owner()
    {
        return $this->hasOne('App\User', 'ID', 'IDOwner');
    }
}

class Participant extends Model {

    protected $table = 'participants';
    public $timestamps = false;

    public function user()
    {
        return $this->belongTo('App\User', 'IDUser', 'ID');
    }

    public function event()
    {
        return $this->belongTo('App\Event', 'IDEvent', 'ID');
    }
}

现在,我想获取特定参与者的所有事件。我尝试了:

Event::with('participants')->where('IDUser', 1)->get();

但条件应用于 而不是 其 。下面给了我一个例外:whereEventParticipants

Participant::where('IDUser', 1)->event()->get();

我知道我可以写这个:

$list = Participant::where('IDUser', 1)->get();
for($item in $list) {
   $event = $item->event;
   // ... other code ...
}

但是向服务器发送如此多的查询似乎不是很有效。

使用Laravel 5和Eloquent执行通过模型关系的最佳方法是什么?where


答案 1

对关系执行此操作的正确语法是:

Event::whereHas('participants', function ($query) {
    return $query->where('IDUser', '=', 1);
})->get();

这将返回参与者的用户 ID 为 1 的事件。如果参与者的用户 ID 不为 1,则不会返回事件。

https://laravel.com/docs/5.8/eloquent-relationships#eager-loading 阅读更多内容


答案 2

@Cermbo的答案与这个问题无关。在那个答案中,如果每个都有,会给你所有与.LaravelEventsEvent'participants'IdUser1

但是,如果你想得到所有与所有,只要所有都有a的1,那么你应该做这样的事情:Events'participants''participants'IdUser

Event::with(["participants" => function($q){
    $q->where('participants.IdUser', '=', 1);
}])

注意:

使用表名,而不是型号名称。where


推荐