猿问

过滤一对多关系记录结果

我需要直接从模型对象过滤从一对多关系给出的结果,但我找不到正确的方法。在这里,关系:


我有一个 User 模型可以下标到许多公司(公司模型),一个公司可以有很多用户下标,所以,是多对多的关系。


在每家公司中,该用户都有一个个人信息,因此,每个用户都可以拥有许多个人资料(个人资料模型),每个公司都有一个下标。所以这是一对多的关系。


想象一下,我想直接从模型中检索用户当前正在查看的公司,这是通过过滤多对多关系来实现的:


class User extends Authenticatable

{

///

 public function obtainLoggedOnCompany()

 {

   return $this->belongsToMany('app\Company', 'user_company', 'id', 'company_id')->withPivot('selected')->wherePivot('selected', 1)  

 }

然后,如果我想在刀片视图中返回选定的公司,我只需调用:


Auth::user()->obtainLoggedOnCompany->first();


这一切都归功于 withPivot 和 wherePivot 子句。


当我想检索当前选定公司的注册资料时,情况不同,我尝试过:


public function obtainSelectedProfile()

{

$SelectedCompany= $this->obtainLoggedOnCompany->first();


return $this->hasMany('app\Profile','user_id')->where('company_id', '=', $SelectedCompany->company_id);

}

但它抛出一个试图获取非对象异常的属性。还有另一种方法可以直接在模型关系函数中过滤一对多关系吗?


我正在使用 Laravel 5.2


神不在的星期二
浏览 186回答 3
3回答

动漫人物

您可以通过将变量传递给预先加载和更新您的关系结构来实现这一点。试试这个User 模型:class User extends Authenticatable{    ///    public function obtainLoggedOnCompany()    {         return $this->belongsToMany('App\Company', 'user_company', 'user_id', 'company_id');     }}Company 模型:class Company extends Model{    ///    public function profile()    {        return $this->hasOne('App\Profile', 'company_id');      }}Example 一个用例:$user_id = 1;$user = User::where('id', $user_id)->with(['company' => function($query) use ($user_id) {           return $query->with(['profile' => function($query2) use ($user_id) {                                              return $query2->where('user_id', $user_id);                                            }]);        }])->first();// $user variable contains user details, company details, and profile

智慧大石

实际上,这句话完美无缺!:public function obtainSelectedProfile(){$SelectedCompany= $this->obtainLoggedOnCompany->first();return $this->hasMany('app\Profile','user_id')->where('company_id', '=', $SelectedCompany->company_id);}在我看来,我的错误在别处!尽管我认为在将数据传递给视图之前在控制器上准备数据是更好的做法,因为每次我想从视图中的用户配置文件中获取数据时,我都必须查询服务器。
随时随地看视频慕课网APP
我要回答