我使用 eloquent 作为 ORM,我想在多表中使用 where
,如下所示:
$raw_query = EntityCity::with(['province']);
$raw_query = $raw_query->where(function ( $q ) use ( $search_data ) {
$q->where('city.title' , 'like' , "%$search_data%")
->orwhere('province.title' , 'like' , "%$search_data%");
});
}
$this->data[ 'result_list' ] = $raw_query->limit($this->per_page)
->orderByDesc("time_insert")
->offset(( $page_num - 1 ) * $this->per_page)
->get();
但是,我遇到以下错误:
如果我评论
orwhere
它将起作用。那么你怎么能用
orwhere
写这个呢? 最佳答案
代替:
$raw_query = $raw_query->where(function ( $q ) use ( $search_data ) {
$q->where('city.title' , 'like' , "%$search_data%")
->orwhere('province.title' , 'like' , "%$search_data%");
});
}
你应该使用:
$raw_query = $raw_query->where(function($q) {
$q->where('city.title', 'like', "%$search_data%")
->orWhereHas('province', function ( $q ) use ( $search_data ) {
$q->where('province.title' , 'like' , "%$search_data%");
});
});
请注意, where .. orWhereHas 被包裹在额外的
where
中,这让您有信心可以添加任何其他条件,例如仅选择事件城市:$raw_query = $raw_query->where(function($q) {
$q->where('city.title', 'like', "%$search_data%")
->orWhereHas('province', function ( $q ) use ( $search_data ) {
$q->where('province.title' , 'like' , "%$search_data%");
});
})->where('active', 1);
关于laravel - 在 eloquent 中为多表编写 orwhere,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/47953188/