在實際的開發中,我們經常接觸到幾種常見的對應關係模式:
One-To-One //一对一 One-To-Many //一对多 Many-To-Many //多对多
在剛開始接觸到這些概念的時候,其實我是不太理解的。但一旦你將這些概念應用到生活中,理解起來就很簡單了,就舉一個與我們在網上經常見到的例子:
User-To-Profile // One-To-One User-To-Articles // One-To-Many Articles-To-Tags // Many-To-Many
翻譯過來就是:
- 一個使用者對應一個使用者檔案
- 一個使用者可以發表多篇文章
- 而文章和標籤確實多對多的關係,一篇文章可以有多個標籤;一個標籤可以屬於多篇文章
在這些關係模型中,最難實現的就是Many-To-Many
這種多對多的關係,不過借助Laravel的強大的Eloquent
,實現這個功能還是比較順心的。
1. 建立資料庫表格
建立articles
表格
Schema::create('articles', function (Blueprint $table) { $table->increments('id'); $table->string('title'); $table->text('content'); $table->timestamps(); });
建立tags
表格
Schema::create('tags', function (Blueprint $table) { $table->increments('id'); $table->string('name'); $table->timestamps(); });
當然,解決這個經典問題單單靠這兩張表還不足夠,需要在這兩張表之外再建立一個關係表,用來將article
和tag
聯繫起來,在Laravel中,如果你遵循官方的標準規則,第三張表應該是這樣的:
表名article_tag
Schema::create('article_tag', function(Blueprint $table) { $table->integer('article_id')->unsigned()->index(); $table->foreign('article_id')->references('id')->on('articles')->onDelete('cascade'); $table->integer('tag_id')->unsigned()->index(); $table->foreign('tag_id')->references('id')->on('tags')->onDelete('cascade'); });
如果你沒有按照官方的規範來,你需要在模型中指定外鍵。
2. 建立模型並指定關係
在Article.php
#:
<code><br> public function tags() { return $this->belongsToMany('App\Tag'); }</code>
在Tag.php
中:
public function articles() { return $this->belongsToMany('App\Article'); }
這裡注意兩點:
- 你可以在宣告關係的時候指定外鍵,如
$this->belongsToMany('App\Article',' foreign_key', 'other_key');
- 如果在article_tag表中你添加了timestamps(),即表中出現created_at和updated_at這兩個字段,在Article中聲明關係的時候需要這樣:
return $this->belongsToMany('App\Tag')->withTimestamps();
Controller中使用
如果我們想查看某個文章含有哪些標籤,我們可以這樣:
$article = Article::find($id); dd($article->tags);如果我們想透過某個標籤來找出文章:
<code><br>public function showArticleByTagName($name) { $tag = Tag::where('value','=',$name)->first(); dd($tag->articles); }</code>以上,就實現了Laravel的
Many-To-Many.