Eloquent hasMany with hasMany 和中间的连接

Eloquent hasMany with hasMany and a join in the middle

我有这个数据库结构

orders ====►  order_items  ====►  order_item_meta
  ║                |
  ║                |
  ▼                ▼
order_meta      products

关系是 orders hasMany order_items which hasManyThrough order_item_meta, orders also hasMany order_meta. 此外,order_items/product_id 需要与产品 table.

合并

我有 order_id,我想在一次调用中获取全部数据。但是我有一个奇怪的问题。这是当前代码:

    $orders = Orders::
        with([
            'order_items' => function($q) {  //#1
                $q->leftJoin('products','order_items.product_id', '=', 'products.id');
            }
        ])
        ->with(['order_items.orderitem_meta'])  //#2
        ->with(['order_meta']);  //#3

好像with#1和with#2互相干扰了。

案例 1:如果我使用#1+#3,我可以在结果中看到来自产品 table 的数据 + 来自 order_items 的数据,但看不到数据来自 order_item_meta.

案例 2:如果我使用#2+#3,我可以在结果中看到来自 order_items 的数据 + 来自 order_item_meta 的数据,但看不到来自产品的数据table.

在这两种情况下,来自#3 的数据都可以。

但是如果我同时执行这三个操作(with#1+with#2+with3),我会得到与 case1 相同的结果。来自 order_item_meta 的数据丢失。

Orders.php

class Orders extends Model
{

    public function order_items()
    {
        return $this->hasMany('App\OrderItem','order_id','id'); //'foreign_key', 'local_key'
    }

    public function order_meta()
    {
        return $this->hasMany('App\OrderMeta','order_id','id'); //'foreign_key', 'local_key'
    }

    public function orderitem_meta()
    {
        return $this->hasManyThrough(
            'App\OrderItem',
            'App\OrderItemMeta',
            'order_item_id', // Foreign key on order_itemmeta table...
            'order_id', // Foreign key on order_item table...
            'id', // Local key on order_item table...
            'id' // Local key on order_itemmeta table...            
        ); 
    }    

}

OrderItem.php

class OrderItem extends Model
{

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

    public function orderitem_meta()
    {
        return $this->hasMany('App\OrderItemMeta','order_item_id','id'); //'foreign_key', 'local_key'
    }

}

OrderItemMeta.php

class OrderItemMeta extends Model
{
    protected $table = 'order_itemmeta';

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

执行此查询的正确方法是什么?

我通过在 order_items 和产品之间添加关系解决了这个问题:

在OrderItem.php

public function product()
{
    return $this->hasOne('App\Products','id','product_id'); //'foreign_key', 'local_key'
}

然后查询变成这样:

$orders = Orders::
        with(['order_items.orderitem_meta','order_items.product','order_meta']);

有效