Laravel:如何从具有关系的3个表中获取数据

时间:2019-09-03 14:04:49

标签: laravel eloquent eloquent--relationship

我有3张桌子:

Customers

  • id
  • 名称

Sales

  • customer_id
  • 销售日期

Contacts

  • customer_id
  • contact_date

contacts表中没有任何更新操作。每个进程都会在contacts表中打开一个新记录。因此,用户在contacts表中可以有多个记录。

这是我在模特中的关系:

Customer

public function contacts()
{
    return $this->hasMany(Contact::class);
}

public function sales()
{
    return $this->hasMany(Sale::class);
}

Contact

public function customer()
{
    return $this->belongsTo('App\Customer', 'customer_id');
}

Sale

public function customer()
{
    return $this->belongsTo('App\Customer');
}

我想拥有contacts表的最新记录,并使其与其他相关表联接。

这是我尝试过的查询:

$record = Contact::groupBy('customer_id')
        ->select(DB::raw('max(id)'));

$result = Customer::query();
$result->where('is_active', 'YES');
$result->with('sales');
$result->whereHas('contacts', function ($q) use($record){
        return $q->whereIn('id', $record)->where('result', 'UNCALLED');
    });
return $result->get();

在刀片文件中,我在foreach循环中得到了一些结果。但是,我无法从salescontacts表中获取相关数据。

@foreach($result as $item)
@foreach($item->sales as $sale) // Has no output and gives error: Invalid argument supplied for foreach() 
@foreach($item->contacts as $contact) // Has no output and gives error: Invalid argument supplied for foreach()

有人可以帮我显示销售和联系日期吗?或关于如何提高此代码质量的任何想法?

2 个答案:

答案 0 :(得分:1)

如果要获取联系人的最新记录,可以在Customer模型上声明另一个关系,例如:

public function latest_contact()
{
    return $this->hasOne(Contact::class)->latest('contact_date');
}

顺便说一句,如果您拥有hasOne,并且所使用的外键是相同的,则始终可以声明一个或多个hasMany附加关系。

通过这种方式,您可以使用latest_contact模型检索Customer 渴望加载

$customer = Customer::with('latest_contact')->find($id);

或者在查询中使用这种关系,诸如此类:

$customers = Customer::where('is_active', 'YES')
    ->with('sales')
    ->with('contacts')
    ->whereHas('last_contact', function ($q){
        return $q->where('result', 'UNCALLED');
    })->get();

或者那个:

$customers = Customer::where('is_active', 'YES')
    ->with('sales')
    ->with('contacts')
    ->with('last_contact', function ($q){
        return $q->where('result', 'UNCALLED');
    })->get();

如果需要,可以用附加的last_contact声明where

public function latest_contact()
{
    return $this->hasOne(Contact::class)
        ->where('result', 'UNCALLED')
        ->latest('contact_date');
}

这样,所有其他查询都应该更容易。 希望对您有所帮助。

答案 1 :(得分:-1)

我不确定,但是您可以尝试执行以下操作吗:

return Customer::where('is_active', 'YES')
    ->with([
        'sale', 
        'contact' => function ($query) use($record) {
            return $query->whereIn('id', $record)->where('result', 'UNCALLED');
        }
    ])->get();