我在Laravel的多重模型中应该使用什么雄辩的关系

时间:2019-03-01 11:05:35

标签: laravel relation

我正在根据订单ID查看某些订单库。我可以很方便地显示与订单相关的公司,但后来我意识到我还需要显示该公司的联系人,该公司已下订单,我需要在视图中显示该人。

在进行挖掘时,我了解到可以使用 hasManyThrough ,但不知道如何实际显示数据。我什至不确定 hasManyThrough 是否能满足我的需求。

这是简化的表关系;

Companies                Contacts                 Orders
   id                  companies_id             company_id

联系人表格屏幕

enter image description here

公司表

enter image description here

订单表

enter image description here

公司模式

public function orders()
{
    return $this->hasManyThrough(
        Orders::class, 
        Contacts::class, 
        'companies_id', 
        'company_id', 
        'id', 
        'id' 
    );
}    

订单模型

public function companies()
{
   return $this->hasOne('App\Companies', 'id','company_id');
}

public function contact()
{
   return $this->hasOne('App\Contacts', 'id','companies_id');
}

我正在尝试显示这样的数据

<div class="col-xs-6">
    <strong>TO:</strong>
    <h4>{{ $orders->companies->comp_name }}</h4> //this is ok
    <p>{{ $orders->companies->comp_address }}</p> //this is ok
    <p>{{ $orders->contact['cont_name'] }}</p> //this should be the contact person from that company
</div>

关于如何实现此目标的任何建议?提前非常感谢您!

1 个答案:

答案 0 :(得分:1)

您需要hasManyThrough上级联1对多对多样式。就像艺术家的专辑中有很多歌曲一样,艺术家的专辑中也有很多歌曲(Artist-> Albums-> Songs)。

在您的情况下:

1-公司有一个或多个联系人,假设您将使用业务逻辑代码将其限制为1个

2-公司有很多订单,而订单属于公司

3-联系人属于公司

因此您可以使用代码:

更新 -----

如在注释中指定公司可以有多个联系人,然后可以定义与联系人的其他hasMany关系。


在公司模型中

<?php
// Companies model

public function contact()
{
   return $this->hasOne('App\Contacts', 'companies_id');
}

public function contacts()
{
   return $this->hasMany('App\Contacts', 'companies_id');
}

public function orders()
{
   return $this->hasMany('App\Orders', 'company_id');
}

在联系人模型中

<?php
// Contacts model
// Keep it singular since it's only one Company
public function company()
{
   return $this->belongsTo('App\Companies', 'companies_id');
}

订单模型

<?php
// Orders model
// Keep it singular since it's only one Company
public function company()
{
   return $this->belongsTo('App\Companies', 'company_id');
}

最后在Blade视图中

<div class="col-xs-6">
    <strong>TO:</strong>
    <h4>{{ $orders->company->comp_name }}</h4> //this is ok
    <p>{{ $orders->company->comp_address }}</p> //this is ok
    <p>{{ $orders->company->contact->cont_name }}</p> //this should be ok
</div>