多个表的Laravel Eloquent关系问题

时间:2017-09-21 11:03:28

标签: php laravel eloquent many-to-many relation

在Laravel 5.5中,我尝试创建一个小应用程序来管理几个卖家/商店的产品。

因此,我有四种不同的模型:

Seller.php

class Attribute extends Model
{

    public function items()
    {

        return $this->belongsToMany(Item::class);
    }
}

Item.php

class Item extends Model
{

    public function seller()
    {

         return $this->belongsTo(Seller::class);
    }

    public function category()
    {

        return $this->belongsTo(Category::class);
    }

    public function attributes()
    {

        return $this->belongsToMany(Item::class);
    }
}

Category.php

class Category extends Model
{

    public function items()
    {

        return $this->hasMany(Item::class);
    }
}

Attribute.php

class Attribute extends Model
{

    public function items()
    {

        return $this->belongsToMany(Item::class);
    }
 }

对于属性和属性之间的多对多关系项目,我创建了一个数据透视表:

Schema::create('attribute_item', function (Blueprint $table) {
    $table->integer('attribute_id')->unsigned()->index();
    $table->foreign('attribute_id')->references('id')->on('attributes')->onDelete('cascade');
    $table->integer('item_id')->unsigned()->index();
    $table->foreign('item_id')->references('id')->on('items')->onDelete('cascade');
    $table->primary(['attribute_id', 'item_id']);
});

整个申请的目标是:

  • 按类别(用于过滤或其他内容)按类别获取卖家的所有商品
  • 获取卖家的特定商品并获取其属性和类别

我对Laravels关系方法有点困惑,在这种情况下使用哪种方法。

可能hasManyThrough或多态关系更好吗?

我不得不承认我这里有一点逻辑问题。希望你能帮助我。

谢谢!

1 个答案:

答案 0 :(得分:3)

您可以使用whereHas方法查找嵌套关系,例如您的第一个目标

使用属性(用于过滤或其他内容)按类别从卖家获取所有商品

您可以写下以下内容:

$items = Item::whereHas('seller.items', function ($query) {
        $query->whereHas('categories', function ($categories) {
            $categories->where('name', '=', 'Mens');
        })
        ->orWhereHas('attributes', function ($attributes) {
            $attriutes->where('size', '=', 'large');
        });
    })->get();

了解更多相关信息:https://laravel.com/docs/5.5/eloquent-relationships#querying-relationship-existence

如果您想获取具有类别和属性的项目,可以使用with方法获取关系数据,这将为您提供项目列表:

$items = Item::whereHas('seller.items', function ($query) {
        $query->whereHas('categories', function ($caegories) {
            $categories->where('name', '=', 'Mens');
        })
        ->orWhereHas('attributes', function ($attributes) {
            $atributes->where('size', '=', 'large');
        });
    })
    ->with('categories', 'attributes')
    ->get();

希望这能指导您面临的问题。