在網上商城上,咱們常常能夠看到多級分類、子分類、甚至無限極分類。本文將向你展現如何優雅的經過 Laravel Eloquent 將其實現。php
咱們會建立一個微型項目來展現兒童商店的分類,總共有 5 級,以下:node
數據庫遷移web
簡單的數據表結構:數據庫
Schema::create('categories', function (Blueprint $table) {
$table->bigIncrements('id');
$table->string('name');
$table->unsignedBigInteger('category_id')->nullable();
$table->foreign('category_id')->references('id')->on('categories');
$table->timestamps();
});
只有一個 name 字段, 關聯到其自身。因此,大部分父級分類 category_id = NULL,每個子分類都有一個 parent_id架構
數據表數據以下:app
Eloquent 模型和關聯關係學習
首先,在 app/Category.php 建立一個簡單的 hasMany() 方法, 分類可能擁有其自分類:this
class Category extends Model { public function categories() { return $this->hasMany(Category::class); } }
好戲開場 本文最妙 「計策」。你知道能夠向這樣描述 遞歸 關係嗎?以下:spa
public function childrenCategories() { return $this->hasMany(Category::class)->with('categories'); }
所以,若是調用 Category::with(‘categories’),將獲得下級 「子分類」,可是經過 Category::with(‘childrenCategories’) 將能幫你實現無限極。code
路由和控制器方法
如今,讓咱們嘗試顯示全部類別和子類別,如上例所示。
在 routes/web.php,咱們添加如下內容:
Route::get('categories', 'CategoryController@index');
app/Http/CategoryController.php 以下所示:
public function index() { $categories = Category::whereNull('category_id') ->with('childrenCategories') ->get(); return view('categories', compact('categories')); }
咱們僅加載父類別,將子類別做爲關係。簡單吧?
視圖和遞歸子視圖
最後,渲染到頁面。 在 resources/views/categories.blade.php 文件:
<ul> @foreach ($categories as $category) <li>{{ $category->name }}</li> <ul> @foreach ($category->childrenCategories as $childCategory) @include('child_category', ['child_category' => $childCategory]) @endforeach </ul> @endforeach </ul>
咱們先遍歷了最頂級的父類別,而後遍歷出父類的子類別,而後使用 @include 加載子類別的子類別......
最好的部分是 resources/views/admin/child_category.blade.php 將使用遞歸加載自身。看代碼:
<li>{{ $child_category->name }}</li> @if ($child_category->categories) <ul> @foreach ($child_category->categories as $childCategory) @include('child_category', ['child_category' => $childCategory]) @endforeach </ul> @endif
在 child_category.blade.php 內部,咱們包含了 @include(‘child_category’),所以只要當前子類別中有類別,模板就會遞歸地加載子類別。
就是這樣!咱們擁有無限級別的子類別 - 不管是在數據庫仍是關聯關係或是視圖中
更多學習內容請訪問: