Has Many Through Relationship hơi phức tạp để hiểu một cách đơn giản, nó sẽ cung cấp cho chúng ta một con đường tắt để có thể truy cập dữ liệu của một quan hệ xa xôi thông qua một mối quan hệ trung gian. Ví dụ: một country được kết nối với user, đồng thời user có cũng có bài post, thì chúng tôi có thể truy cập tất cả các bài post được kết nối với một country cụ thể.
Vì vậy, trong hướng dẫn này, tôi sẽ hướng dẫn bạn tạo migrate, tạo dữ liệu và truy xuất dữ liệu trong Has Many Through Relationship.
Trong ví dụ này, tôi sẽ tạo bảng "users", "posts" và "countries". mỗi bảng đều được liên kết nhau. bây giờ chúng ta sẽ tạo Has Many Through Relationship bằng cách sử dụng laravel Eloquent Model. Đầu tiên chúng ta sẽ tạo migrate, model, truy vấn dữ liệu và sau đó là cách tạo dữ liệu. Vì vậy, chúng ta sẽ thử một làm một ví dụ với cấu trúc bảng cơ sở dữ liệu như sau
Has Many Through Relationship sẽ sử dụng "hasManyThrough()" cho mối quan hệ.
Tạo migrations
Bây giờ chúng ta phải tạo bảng users, bảng posts, bảng countries và thêm foreign key cho bảng users và bảng posts. Vì vậy, bạn hãy tạo như hướng dẫn dưới đây:
Migration bảng countries
Schema::create('countries', function (Blueprint $table) {
$table->id();
$table->string('name');
$table->timestamps();
});
Migration bảng users
Schema::create('users', function (Blueprint $table) {
$table->id();
$table->string('name');
$table->string('email')->unique();
$table->timestamp('email_verified_at')->nullable();
$table->string('password');
$table->unsignedBigInteger('country_id');
$table->rememberToken();
$table->timestamps();
$table->foreign('country_id')->references('id')->on('countries') ->onDelete('cascade');
});
Migration bảng posts
Schema::create('posts', function (Blueprint $table) {
$table->id();
$table->string("name");
$table->unsignedBigInteger('user_id');
$table->timestamps();
$table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
});
Tạo models
Ở đây, chúng tôi sẽ tạo model country. Chúng tôi cũng sẽ sử dụng "hasManyThrough ()" cho mối quan hệ của cả hai model còn lại
Model bảng countries
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
class Country extends Model
{
public function posts()
{
return $this->hasManyThrough(
Post::class,
User::class,
'country_id', // Foreign key on users table...
'user_id', // Foreign key on posts table...
'id', // Local key on countries table...
'id' // Local key on users table...
);
}
}
Truy vấn dữ liệu
$country = Country::find(1);
dd($country->posts);
Tôi hy vọng bạn thích hướng dẫn này. Nếu bạn có bất kỳ câu hỏi nào hãy liên hệ với chúng tôi qua trang contact. Cảm ơn bạn.
.