首页 > 解决方案 > 如何在 laravel 的表中创建关系?

问题描述

我需要在表中创建关系。我在下面附上了我的表格。

在此处输入图像描述

这是我的类别模型。

class Category extends Model
{
    public function products()
    {
       return $this->hasMany(Product::class);
    }

    public function categories_id() {
        return $this->hasMany('category_id','parent_id');
    }
    public function parent_id() {
        return $this->hasMany('category_id','parent_id');
    }
}

在这里我如何关联 category_id 和 parent_id?

这是我的categories_table

 public function up()
    {
       Schema::create('categories', function (Blueprint $table)
        {
        $table->bigIncrements('id');
        $table->unsignedBigInteger('parent_id')->nullable();
        $table->string('cat_name')->nullable();
        $table->string('cat_image_path')->nullable();
        $table->timestamps();
         });
    }

标签: phplaravele-commerce

解决方案


你可以试试这个设置:

public function parent()
{
    return $this->belongsTo(self::class);
    // uses `parent_id` to find the parent by 'id'
}

public function children()
{
    return $this->hasMany(self::class, 'parent_id');
    // finds other records where their 'parent_id' is the parent's 'id'
}

$category = Category::find(...);

$parent = $category->parent;
$children = $category->children;

此外,您的架构中没有category_id字段。

您想了解的有关这些关系的所有信息都在文档中。

Laravel 7.x 文档 - 雄辩 - 关系 - 一对多 hasMany

Laravel 7.x 文档 - Eloquent - 关系 - 一对多(反向) belongsTo

Laravel 7.x Docs - Eloquent - 关系 - 关系方法与动态属性


推荐阅读