更多資訊請參考 rubyonrails.org:

1 關聯概觀

Active Record 關聯允許您定義模型之間的關係。關聯是以特殊的巨集樣式呼叫實作,可讓您輕鬆告訴 Rails 您的模型如何相互關聯,這有助於您更有效地管理資料,並使常見操作更簡單且更容易閱讀。

巨集樣式呼叫是一種在執行時產生或修改其他方法的方法,允許簡潔且具表達力的功能宣告,例如在 Rails 中定義模型關聯。例如,has_many :comments

當您設定關聯時,Rails 會協助定義和管理兩個模型實例之間的主鍵外鍵關係,而資料庫則確保您的資料保持一致且正確連結。

這使得追蹤哪些記錄相關變得容易。它還會在您的模型中新增有用的方法,讓您可以更輕鬆地使用相關資料。

考慮一個簡單的 Rails 應用程式,其中包含作者和書籍的模型。

1.1 不使用關聯

不使用關聯,為該作者建立和刪除書籍將需要繁瑣且手動的流程。以下是它的樣子

class CreateAuthors < ActiveRecord::Migration[8.0]
  def change
    create_table :authors do |t|
      t.string :name
      t.timestamps
    end

    create_table :books do |t|
      t.references :author
      t.datetime :published_at
      t.timestamps
    end
  end
end
class Author < ApplicationRecord
end

class Book < ApplicationRecord
end

若要為現有作者新增書籍,您需要在建立書籍時提供 author_id 值。

@book = Book.create(author_id: @author.id, published_at: Time.now)

若要刪除作者並確保他們的所有書籍也都被刪除,您需要擷取作者的所有 books,迴圈遍歷每個 book 以銷毀它,然後銷毀作者。

@books = Book.where(author_id: @author.id)
@books.each do |book|
  book.destroy
end
@author.destroy

1.2 使用關聯

但是,透過關聯,我們可以簡化這些操作以及其他操作,方法是明確告知 Rails 兩個模型之間的關係。以下是使用關聯設定作者和書籍的修改程式碼

class Author < ApplicationRecord
  has_many :books, dependent: :destroy
end

class Book < ApplicationRecord
  belongs_to :author
end

進行此變更後,為特定作者建立新書會更簡單

@book = @author.books.create(published_at: Time.now)

刪除作者及其所有書籍會更容易

@author.destroy

當您在 Rails 中設定關聯時,您仍然需要建立一個遷移,以確保資料庫已正確設定以處理關聯。此遷移需要將必要的外鍵欄位新增至您的資料庫表格。

例如,如果您在 Book 模型中設定 belongs_to :author 關聯,您將建立一個遷移以將 author_id 欄位新增至 books 表格

rails generate migration AddAuthorToBooks author:references

此遷移將新增 author_id 欄位,並在資料庫中設定外鍵關係,確保您的模型和資料庫保持同步。

若要深入瞭解不同類型的關聯,您可以閱讀本指南的下一節。接下來,您將找到一些使用關聯的提示和技巧。最後,Rails 中關聯的方法和選項的完整參考。

2 關聯類型

Rails 支援六種關聯類型,每種都有特定的使用案例。

以下是所有支援類型的清單,並連結到其 API 文件,以取得有關如何使用它們、它們的方法參數等的更詳細資訊。

在本指南的其餘部分中,您將學習如何宣告和使用各種形式的關聯。首先,讓我們快速瀏覽一下每種關聯類型適用的情況。

2.1 belongs_to

belongs_to 關聯會設定與另一個模型的關係,使得宣告模型的每個實例「屬於」另一個模型的一個實例。例如,如果您的應用程式包含作者和書籍,且每本書只能分配給一位作者,您會以這種方式宣告書籍模型

class Book < ApplicationRecord
  belongs_to :author
end

belongs_to Association Diagram

belongs_to 關聯必須使用單數形式。如果您在 Book 模型中使用複數形式,例如 belongs_to :authors,並嘗試使用 Book.create(authors: @author) 建立書籍,Rails 會給您「未初始化的常數 Book::Authors」錯誤。發生這種情況的原因是 Rails 會自動從關聯名稱推斷類別名稱。如果關聯名稱為 :authors,Rails 將尋找名為 Authors 的類別,而不是 Author

對應的遷移可能如下所示

class CreateBooks < ActiveRecord::Migration[8.0]
  def change
    create_table :authors do |t|
      t.string :name
      t.timestamps
    end

    create_table :books do |t|
      t.belongs_to :author
      t.datetime :published_at
      t.timestamps
    end
  end
end

在資料庫術語中,belongs_to 關聯表示此模型的表格包含一個欄位,該欄位代表對另一個表格的參考。這可以用於設定一對一或一對多的關係,具體取決於設定。如果另一個類別的表格在一對一關係中包含參考,則應改用 has_one

單獨使用時,belongs_to 會產生單向的一對一關係。因此,在上述範例中,每本書「知道」其作者,但作者不知道他們的書籍。若要設定雙向關聯,請在另一個模型 (在此案例中為 Author 模型) 上結合使用 belongs_tohas_onehas_many

預設情況下,belongs_to 會驗證關聯記錄是否存在,以保證參考一致性。

如果模型中的 optional 設定為 true,則 belongs_to 不保證參考一致性。這表示一個表格中的外鍵可能無法可靠地指向參考表格中的有效主鍵。

class Book < ApplicationRecord
  belongs_to :author, optional: true
end

因此,根據使用案例,您可能還需要在參考欄位上新增資料庫層級的外鍵約束,如下所示

create_table :books do |t|
  t.belongs_to :author, foreign_key: true
  # ...
end

這可確保即使 optional: true 允許 author_id 為 NULL,當它不是 NULL 時,它仍然必須參考作者表格中的有效記錄。

2.1.1 belongs_to 新增的方法

當您宣告 belongs_to 關聯時,宣告類別會自動獲得許多與關聯相關的方法。其中一些是

  • association=(associate)
  • build_association(attributes = {})
  • create_association(attributes = {})
  • create_association!(attributes = {})
  • reload_association
  • reset_association
  • association_changed?
  • association_previously_changed?

我們將討論一些常用的方法,但您可以在 ActiveRecord Associations API 中找到詳盡的清單。

在上述所有方法中,association 會被傳遞為 belongs_to 的第一個引數的符號取代。例如,給定宣告

# app/models/book.rb
class Book < ApplicationRecord
  belongs_to :author
end

# app/models/author.rb
class Author < ApplicationRecord
  has_many :books
  validates :name, presence: true
end

Book 模型的實例將具有以下方法

  • author
  • 作者=
  • 建立作者
  • 建立作者
  • 建立作者!
  • 重新載入作者
  • 重設作者
  • 作者已變更?
  • 作者先前已變更?

當初始化新的 has_onebelongs_to 關聯時,您必須使用 build_ 前綴來建立關聯,而不是使用用於 has_manyhas_and_belongs_to_many 關聯的 association.build 方法。若要建立一個關聯,請使用 create_ 前綴。

2.1.1.1 擷取關聯

association 方法會傳回關聯的物件(如果有的話)。如果沒有找到關聯的物件,則會傳回 nil

@author = @book.author

如果已從資料庫中擷取此物件的關聯物件,則會傳回快取版本。若要覆寫此行為(並強制讀取資料庫),請在父物件上呼叫 #reload_association

@author = @book.reload_author

若要卸載關聯物件的快取版本,使其下次存取時(如果有的話)會從資料庫查詢,請在父物件上呼叫 #reset_association

@book.reset_author
2.1.1.2 指派關聯

association= 方法會將關聯物件指派給此物件。在幕後,這表示從關聯物件中提取主鍵,並將此物件的外鍵設定為相同的值。

@book.author = @author

build_association 方法會傳回關聯類型的新物件。此物件將會從傳遞的屬性具現化,並且將會設定透過此物件外鍵的連結,但關聯物件將不會被儲存。

@author = @book.build_author(author_number: 123,
                             author_name: "John Doe")

create_association 方法更進一步,並且也會在關聯模型上指定的驗證全部通過後儲存關聯物件。

@author = @book.create_author(author_number: 123,
                              author_name: "John Doe")

最後,create_association! 的作用相同,但如果記錄無效,則會引發 ActiveRecord::RecordInvalid

# This will raise ActiveRecord::RecordInvalid because the name is blank
begin
  @book.create_author!(author_number: 123, name: "")
rescue ActiveRecord::RecordInvalid => e
  puts e.message
end
irb> raise_validation_error: Validation failed: Name can't be blank (ActiveRecord::RecordInvalid)
2.1.1.3 檢查關聯變更

如果已指派新的關聯物件,並且外鍵將在下次儲存時更新,則 association_changed? 方法會傳回 true。

如果先前的儲存已更新關聯以參考新的關聯物件,則 association_previously_changed? 方法會傳回 true。

@book.author # => #<Author author_number: 123, author_name: "John Doe">
@book.author_changed? # => false
@book.author_previously_changed? # => false

@book.author = Author.second # => #<Author author_number: 456, author_name: "Jane Smith">
@book.author_changed? # => true

@book.save!
@book.author_changed? # => false
@book.author_previously_changed? # => true

請勿將 model.association_changed?model.association.changed? 混淆。前者會檢查關聯是否已由新記錄取代,而後者則會追蹤關聯的屬性變更。

2.1.1.4 檢查現有關聯

您可以使用 association.nil? 方法來查看是否存在任何關聯物件

if @book.author.nil?
  @msg = "No author found for this book"
end
2.1.1.5 關聯物件的儲存行為

將物件指派給 belongs_to 關聯不會自動儲存目前物件或關聯物件。但是,當您儲存目前物件時,關聯也會被儲存。

2.2 has_one

has_one 關聯表示另一個模型具有對此模型的參考。該模型可以透過此關聯擷取。

例如,如果您的應用程式中的每個供應商只有一個帳戶,您可以像這樣宣告供應商模型

class Supplier < ApplicationRecord
  has_one :account
end

belongs_to 的主要差異在於連結欄(在此案例中為 supplier_id)位於另一個表格中,而不是宣告 has_one 的表格中。

has_one Association Diagram

對應的遷移可能如下所示

class CreateSuppliers < ActiveRecord::Migration[8.0]
  def change
    create_table :suppliers do |t|
      t.string :name
      t.timestamps
    end

    create_table :accounts do |t|
      t.belongs_to :supplier
      t.string :account_number
      t.timestamps
    end
  end
end

has_one 關聯會建立與另一個模型的一對一比對。在資料庫術語中,此關聯表示另一個類別包含外鍵。如果此類別包含外鍵,則您應該改用 belongs_to

根據使用案例,您可能還需要在 accounts 表格的 supplier 欄上建立唯一索引和/或外鍵限制。唯一索引可確保每個供應商僅與一個帳戶關聯,並讓您以有效率的方式查詢,而外鍵限制則確保 accounts 表格中的 supplier_id 參考 suppliers 表格中的有效 supplier。這會在資料庫層級強制執行關聯。

create_table :accounts do |t|
  t.belongs_to :supplier, index: { unique: true }, foreign_key: true
  # ...
end

當與另一個模型上的 belongs_to 結合使用時,此關聯可以是 雙向的

2.2.1 has_one 新增的方法

當您宣告 has_one 關聯時,宣告類別會自動獲得與關聯相關的許多方法。其中一些方法是

  • 關聯
  • association=(associate)
  • build_association(attributes = {})
  • create_association(attributes = {})
  • create_association!(attributes = {})
  • reload_association
  • reset_association

我們將討論一些常見的方法,但您可以在 ActiveRecord Associations API 中找到詳盡的清單。

如同 belongs_to 參考,在所有這些方法中,association 都會被替換為傳遞給 has_one 的第一個引數的符號。例如,假設宣告

# app/models/supplier.rb
class Supplier < ApplicationRecord
  has_one :account
end

# app/models/account.rb
class Account < ApplicationRecord
  validates :terms, presence: true
  belongs_to :supplier
end

Supplier 模型的每個執行個體都將具有以下方法

  • 帳戶
  • 帳戶=
  • 建立帳戶
  • 建立帳戶
  • 建立帳戶!
  • 重新載入帳戶
  • 重設帳戶

當初始化新的 has_onebelongs_to 關聯時,您必須使用 build_ 前綴來建立關聯,而不是使用用於 has_manyhas_and_belongs_to_many 關聯的 association.build 方法。若要建立一個關聯,請使用 create_ 前綴。

2.2.1.1 擷取關聯

association 方法會傳回關聯的物件(如果有的話)。如果沒有找到關聯的物件,則會傳回 nil

@account = @supplier.account

如果已從資料庫中擷取此物件的關聯物件,則會傳回快取版本。若要覆寫此行為(並強制讀取資料庫),請在父物件上呼叫 #reload_association

@account = @supplier.reload_account

若要卸載關聯物件的快取版本,並強制下次存取時(如果有的話)從資料庫查詢,請在父物件上呼叫 #reset_association

@supplier.reset_account
2.2.1.2 指派關聯

association= 方法會將關聯物件指派給此物件。在幕後,這表示從此物件中提取主鍵,並將關聯物件的外鍵設定為相同的值。

@supplier.account = @account

build_association 方法會傳回關聯類型的新物件。此物件將會從傳遞的屬性具現化,並且將會設定透過此物件外鍵的連結,但關聯物件將不會被儲存。

@account = @supplier.build_account(terms: "Net 30")

create_association 方法更進一步,並且也會在關聯模型上指定的驗證全部通過後儲存關聯物件。

@account = @supplier.create_account(terms: "Net 30")

最後,create_association! 的作用與上面的 create_association 相同,但如果記錄無效,則會引發 ActiveRecord::RecordInvalid

# This will raise ActiveRecord::RecordInvalid because the terms is blank
begin
  @supplier.create_account!(terms: "")
rescue ActiveRecord::RecordInvalid => e
  puts e.message
end
irb> raise_validation_error: Validation failed: Terms can't be blank (ActiveRecord::RecordInvalid)
2.2.1.3 檢查現有關聯

您可以使用 association.nil? 方法來查看是否存在任何關聯物件

if @supplier.account.nil?
  @msg = "No account found for this supplier"
end
2.2.1.4 關聯物件的儲存行為

當您將物件指派給 has_one 關聯時,該物件會自動儲存以更新其外鍵。此外,任何正在被取代的物件也會自動儲存,因為其外鍵也會變更。

如果由於驗證錯誤導致這些儲存中的任何一個失敗,則指派陳述式會傳回 false,並且指派本身會被取消。

如果父物件(宣告 has_one 關聯的物件)未儲存(也就是說,new_record? 傳回 true),則子物件不會立即儲存。它們將在儲存父物件時自動儲存。

如果您想要將物件指派給 has_one 關聯而不儲存該物件,請使用 build_association 方法。此方法會建立關聯物件的新未儲存執行個體,讓您可以在決定是否儲存它之前使用它。

當您想要控制模型關聯物件的儲存行為時,請使用 autosave: false。此設定會防止在儲存父物件時自動儲存關聯物件。相反地,當您需要使用未儲存的關聯物件並延遲其持久性直到您準備好時,請使用 build_association

2.3 has_many

has_many 關聯與 has_one 類似,但表示與另一個模型的一對多關係。您通常會在 belongs_to 關聯的「另一端」找到此關聯。此關聯表示模型的每個執行個體具有零個或多個其他模型的執行個體。例如,在包含作者和書籍的應用程式中,可以像這樣宣告作者模型

class Author < ApplicationRecord
  has_many :books
end

has_many 會在模型之間建立一對多關係,允許宣告模型 (Author) 的每個執行個體具有多個關聯模型 (Book) 的執行個體。

has_onebelongs_to 關聯不同,在宣告 has_many 關聯時,另一個模型的名稱會變成複數。

has_many Association Diagram

對應的遷移可能如下所示

class CreateAuthors < ActiveRecord::Migration[8.0]
  def change
    create_table :authors do |t|
      t.string :name
      t.timestamps
    end

    create_table :books do |t|
      t.belongs_to :author
      t.datetime :published_at
      t.timestamps
    end
  end
end

has_many 關聯會建立與另一個模型的一對多關係。在資料庫術語中,此關聯表示另一個類別將具有參考此類別執行個體的外鍵。

在此移轉中,會建立 authors 表格,其中包含 name 欄以儲存作者的名稱。也會建立 books 表格,其中包含 belongs_to :author 關聯。此關聯會在 booksauthors 表格之間建立外鍵關係。具體來說,books 表格中的 author_id 欄會充當外鍵,參考 authors 表格中的 id 欄。藉由在 books 表格中包含此 belongs_to :author 關聯,我們可以確保每本書都與一位作者關聯,進而啟用 Author 模型中的 has_many 關聯。此設定允許每位作者有多本相關聯的書籍。

根據使用案例,通常最好在 books 表格的 author 欄上建立非唯一索引,以及視需要建立外鍵限制。在 author_id 欄上新增索引可以改善擷取與特定作者相關聯的書籍時的查詢效能。

如果您希望在資料庫層級強制執行 參考完整性,請將 foreign_key: true 選項新增至上述 reference 欄宣告。這將確保 books 表格中的 author_id 必須對應至 authors 表格中的有效 id

create_table :books do |t|
  t.belongs_to :author, index: true, foreign_key: true
  # ...
end

當與另一個模型上的 belongs_to 結合使用時,此關聯可以是 雙向的

2.3.1 has_many 新增的方法

當您宣告 has_many 關聯時,宣告類別會獲得與關聯相關的許多方法。其中一些方法是

我們將討論一些常見的方法,但您可以在 ActiveRecord Associations API 中找到詳盡的清單。

在所有這些方法中,collection 都會被替換為傳遞給 has_many 的第一個引數的符號,而 collection_singular 會被替換為該符號的單數版本。例如,假設宣告

class Author < ApplicationRecord
  has_many :books
end

Author 模型的執行個體可以具有以下方法

books
books<<(object, ...)
books.delete(object, ...)
books.destroy(object, ...)
books=(objects)
book_ids
book_ids=(ids)
books.clear
books.empty?
books.size
books.find(...)
books.where(...)
books.exists?(...)
books.build(attributes = {}, ...)
books.create(attributes = {})
books.create!(attributes = {})
books.reload
2.3.1.1 管理集合

collection 方法會傳回所有關聯物件的關聯。如果沒有關聯物件,則會傳回空關聯。

@books = @author.books

collection.delete 方法會藉由將其外鍵設定為 NULL,從集合中移除一或多個物件。

@author.books.delete(@book1)

此外,如果物件與 dependent: :destroy 關聯,則會被銷毀;如果與 dependent: :delete_all 關聯,則會被刪除。

collection.destroy 方法會對集合中的每個物件執行 destroy,從集合中移除一個或多個物件。

@author.books.destroy(@book1)

物件總是會從資料庫中移除,並忽略 :dependent 選項。

collection.clear 方法會根據 dependent 選項指定的策略,從集合中移除所有物件。如果沒有指定選項,則會遵循預設策略。has_many :through 關聯的預設策略是 delete_all,而 has_many 關聯的預設策略是將外鍵設定為 NULL

@author.books.clear

如果物件與 dependent: :destroydependent: :destroy_async 關聯,則會被刪除,如同 dependent: :delete_all 一樣。

collection.reload 方法會回傳所有關聯物件的 Relation,強制從資料庫讀取。如果沒有關聯的物件,則會回傳空的 Relation。

@books = @author.books.reload
2.3.1.2 指定集合

collection=(objects) 方法會使集合僅包含提供的物件,透過適當的新增和刪除。這些變更會持久化到資料庫。

collection_singular_ids=(ids) 方法會使集合僅包含由提供的主要鍵值識別的物件,透過適當的新增和刪除。這些變更會持久化到資料庫。

2.3.1.3 查詢集合

collection_singular_ids 方法會回傳集合中物件的 ID 陣列。

@book_ids = @author.book_ids

collection.empty? 方法會回傳 true,如果集合不包含任何關聯物件。

<% if @author.books.empty? %>
  No Books Found
<% end %>

collection.size 方法會回傳集合中物件的數量。

@book_count = @author.books.size

collection.find 方法會在集合的資料表中尋找物件。

@available_book = @author.books.find(1)

collection.where 方法會根據提供的條件在集合中尋找物件,但物件會延遲載入,這表示只有在存取物件時才會查詢資料庫。

@available_books = @author.books.where(available: true) # No query yet
@available_book = @available_books.first # Now the database will be queried

collection.exists? 方法會檢查在集合的資料表中,是否存在符合提供條件的物件。

2.3.1.4 建立和建立關聯物件

collection.build 方法會回傳單個或陣列的新關聯類型物件。物件會從傳入的屬性進行實例化,並建立透過外鍵的連結,但關聯的物件不會被儲存。

@book = @author.books.build(published_at: Time.now,
                            book_number: "A12345")

@books = @author.books.build([
  { published_at: Time.now, book_number: "A12346" },
  { published_at: Time.now, book_number: "A12347" }
])

collection.create 方法會回傳單個或陣列的新關聯類型物件。物件會從傳入的屬性進行實例化,建立透過其外鍵的連結,並且一旦通過關聯模型上指定的所有驗證,關聯的物件被儲存。

@book = @author.books.create(published_at: Time.now,
                             book_number: "A12345")

@books = @author.books.create([
  { published_at: Time.now, book_number: "A12346" },
  { published_at: Time.now, book_number: "A12347" }
])

collection.create! 的作用與 collection.create 相同,但如果記錄無效,則會引發 ActiveRecord::RecordInvalid 錯誤。

2.3.1.5 物件何時被儲存?

當您將物件指定給 has_many 關聯時,該物件會自動儲存(為了更新其外鍵)。如果您在一個語句中指定多個物件,則它們都會被儲存。

如果由於驗證錯誤而導致任何這些儲存失敗,則指定語句會回傳 false,並且指定本身會被取消。

如果父物件(宣告 has_many 關聯的物件)未儲存(也就是說,new_record? 回傳 true),則在新增子物件時不會儲存這些子物件。當儲存父物件時,關聯的所有未儲存成員都會自動儲存。

如果您想要將物件指定給 has_many 關聯而不儲存物件,請使用 collection.build 方法。

2.4 has_many :through

has_many :through 關聯通常用於設定與另一個模型的多對多關係。此關聯表示宣告模型可以透過第三個模型與另一個模型的零個或多個實例匹配。

例如,考慮一個醫療診所,病患預約看醫生。相關的關聯宣告可能如下所示

class Physician < ApplicationRecord
  has_many :appointments
  has_many :patients, through: :appointments
end

class Appointment < ApplicationRecord
  belongs_to :physician
  belongs_to :patient
end

class Patient < ApplicationRecord
  has_many :appointments
  has_many :physicians, through: :appointments
end

has_many :through 在模型之間建立多對多關係,允許一個模型(Physician)的實例透過第三個「連接」模型(Appointment)與另一個模型(Patient)的多個實例關聯。

has_many :through Association
Diagram

對應的遷移可能如下所示

class CreateAppointments < ActiveRecord::Migration[8.0]
  def change
    create_table :physicians do |t|
      t.string :name
      t.timestamps
    end

    create_table :patients do |t|
      t.string :name
      t.timestamps
    end

    create_table :appointments do |t|
      t.belongs_to :physician
      t.belongs_to :patient
      t.datetime :appointment_date
      t.timestamps
    end
  end
end

在此遷移中,physicianspatients 資料表會使用 name 欄位建立。appointments 資料表作為連接資料表,會使用 physician_idpatient_id 欄位建立,以建立 physicianspatients 之間的多對多關係。

您也可以考慮在 has_many :through 關係中使用複合主鍵來建立連接資料表,如下所示

class CreateAppointments < ActiveRecord::Migration[8.0]
  def change
    #  ...
    create_table :appointments, primary_key: [:physician_id, :patient_id] do |t|
      t.belongs_to :physician
      t.belongs_to :patient
      t.datetime :appointment_date
      t.timestamps
    end
  end
end

可以使用標準的has_many 關聯方法來管理 has_many :through 關聯中的連接模型集合。例如,如果您像這樣將病患列表指定給醫生

physician.patients = patients

Rails 會自動為新列表中任何先前未與該醫生關聯的病患建立新的連接模型。此外,如果新列表中未包含先前與該醫生關聯的任何病患,則會自動刪除其連接記錄。這簡化了多對多關係的管理,為您處理連接模型的建立和刪除。

自動刪除連接模型是直接的,不會觸發銷毀回呼。您可以在Active Record 回呼指南中閱讀有關回呼的更多資訊。

has_many :through 關聯也可用於透過巢狀 has_many 關聯設定「快捷方式」。當您需要透過中介關聯存取相關記錄集合時,這特別有用。

例如,如果文件有很多章節,而每個章節都有很多段落,您可能偶爾想要取得文件中所有段落的簡單集合,而無需手動遍歷每個章節。

您可以使用 has_many :through 關聯來設定,如下所示

class Document < ApplicationRecord
  has_many :sections
  has_many :paragraphs, through: :sections
end

class Section < ApplicationRecord
  belongs_to :document
  has_many :paragraphs
end

class Paragraph < ApplicationRecord
  belongs_to :section
end

指定 through: :sections 後,Rails 現在會理解

@document.paragraphs

然而,如果您沒有設定 has_many :through 關聯,則您需要執行類似以下的操作才能取得文件中的段落

paragraphs = []
@document.sections.each do |section|
  paragraphs.concat(section.paragraphs)
end

2.5 has_one :through

has_one :through 關聯透過中介模型建立與另一個模型的一對一關係。此關聯表示宣告模型可以透過第三個模型與另一個模型的一個實例匹配。

例如,如果每個供應商都有一個帳戶,而每個帳戶都與一個帳戶歷史記錄關聯,則供應商模型可能如下所示

class Supplier < ApplicationRecord
  has_one :account
  has_one :account_history, through: :account
end

class Account < ApplicationRecord
  belongs_to :supplier
  has_one :account_history
end

class AccountHistory < ApplicationRecord
  belongs_to :account
end

此設定允許 supplier 透過其 account 直接存取其 account_history

has_one :through Association
Diagram

設定這些關聯的對應遷移可能如下所示

class CreateAccountHistories < ActiveRecord::Migration[8.0]
  def change
    create_table :suppliers do |t|
      t.string :name
      t.timestamps
    end

    create_table :accounts do |t|
      t.belongs_to :supplier
      t.string :account_number
      t.timestamps
    end

    create_table :account_histories do |t|
      t.belongs_to :account
      t.integer :credit_rating
      t.timestamps
    end
  end
end

2.6 has_and_belongs_to_many

has_and_belongs_to_many 關聯會建立與另一個模型的直接多對多關係,沒有中介模型。此關聯表示宣告模型的每個實例都參考另一個模型的零個或多個實例。

例如,考慮一個具有 AssemblyPart 模型的應用程式,其中每個組件可以包含許多零件,而每個零件可以用於許多組件。您可以按如下方式設定模型

class Assembly < ApplicationRecord
  has_and_belongs_to_many :parts
end

class Part < ApplicationRecord
  has_and_belongs_to_many :assemblies
end

has_and_belongs_to_many Association
Diagram

即使 has_and_belongs_to_many 不需要中介模型,它也需要一個單獨的資料表來建立兩個模型之間的多對多關係。此中介資料表用於儲存相關資料,對應兩個模型實例之間的關聯。該資料表不一定需要主鍵,因為其目的僅在於管理關聯記錄之間的關係。對應的遷移可能如下所示

class CreateAssembliesAndParts < ActiveRecord::Migration[8.0]
  def change
    create_table :assemblies do |t|
      t.string :name
      t.timestamps
    end

    create_table :parts do |t|
      t.string :part_number
      t.timestamps
    end

    # Create a join table to establish the many-to-many relationship between assemblies and parts.
    # `id: false` indicates that the table does not need a primary key of its own
    create_table :assemblies_parts, id: false do |t|
      # creates foreign keys linking the join table to the `assemblies` and `parts` tables
      t.belongs_to :assembly
      t.belongs_to :part
    end
  end
end

has_and_belongs_to_many 關聯會建立與另一個模型的多對多關係。在資料庫術語中,這會透過包含參考每個類別外鍵的中介連接資料表來關聯兩個類別。

如果 has_and_belongs_to_many 關聯的連接資料表除了兩個外鍵之外還有其他欄位,這些欄位將作為透過該關聯擷取的記錄屬性新增。具有其他屬性回傳的記錄將始終是唯讀的,因為 Rails 無法儲存對這些屬性的變更。

不建議在 has_and_belongs_to_many 關聯中的連接資料表上使用額外的屬性。如果您需要在多對多關係中連接兩個模型的資料表上使用這種複雜的行為,則應使用 has_many :through 關聯,而不是 has_and_belongs_to_many

2.6.1 has_and_belongs_to_many 新增的方法

當您宣告 has_and_belongs_to_many 關聯時,宣告的類別會獲得許多與該關聯相關的方法。其中一些是

我們將討論一些常用的方法,但您可以在ActiveRecord 關聯 API中找到詳盡的列表。

在所有這些方法中,collection 會被傳遞給 has_and_belongs_to_many 的第一個引數所取代,而 collection_singular 會被該符號的單數化版本所取代。例如,假設宣告

class Part < ApplicationRecord
  has_and_belongs_to_many :assemblies
end

Part 模型的實例可以具有以下方法

assemblies
assemblies<<(object, ...)
assemblies.delete(object, ...)
assemblies.destroy(object, ...)
assemblies=(objects)
assembly_ids
assembly_ids=(ids)
assemblies.clear
assemblies.empty?
assemblies.size
assemblies.find(...)
assemblies.where(...)
assemblies.exists?(...)
assemblies.build(attributes = {}, ...)
assemblies.create(attributes = {})
assemblies.create!(attributes = {})
assemblies.reload
2.6.1.1 管理集合

collection 方法會傳回所有關聯物件的關聯。如果沒有關聯物件,則會傳回空關聯。

@assemblies = @part.assemblies

collection<< 方法會透過在連接資料表中建立記錄,將一個或多個物件新增至集合。

@part.assemblies << @assembly1

此方法被別名為 collection.concatcollection.push

collection.delete 方法會透過刪除連接資料表中的記錄,從集合中移除一個或多個物件。這不會銷毀物件。

@part.assemblies.delete(@assembly1)

collection.destroy 方法會透過刪除連接資料表中的記錄,從集合中移除一個或多個物件。這不會銷毀物件。

@part.assemblies.destroy(@assembly1)

collection.clear 方法會透過刪除連接資料表中的列,從集合中移除每個物件。這不會銷毀關聯的物件。

2.6.1.2 指定集合

collection= 方法會使集合僅包含提供的物件,透過適當的新增和刪除。這些變更會持久化到資料庫。

collection_singular_ids= 方法會使集合僅包含由提供的主要鍵值識別的物件,透過適當的新增和刪除。這些變更會持久化到資料庫。

2.6.1.3 查詢集合

collection_singular_ids 方法會回傳集合中物件的 ID 陣列。

@assembly_ids = @part.assembly_ids

collection.empty? 方法會回傳 true,如果集合不包含任何關聯物件。

<% if @part.assemblies.empty? %>
  This part is not used in any assemblies
<% end %>

collection.size 方法會回傳集合中物件的數量。

@assembly_count = @part.assemblies.size

collection.find 方法會在集合的資料表中尋找物件。

@assembly = @part.assemblies.find(1)

collection.where 方法會根據提供的條件在集合中尋找物件,但物件會延遲載入,這表示只有在存取物件時才會查詢資料庫。

@new_assemblies = @part.assemblies.where("created_at > ?", 2.days.ago)

collection.exists? 方法會檢查在集合的資料表中,是否存在符合提供條件的物件。

2.6.1.4 建立和建立關聯物件

@assembly = @part.assemblies.build({ assembly_name: "Transmission housing" })

@assembly = @part.assemblies.create({ assembly_name: "Transmission housing" })

collection.reload 方法會回傳所有關聯物件的 Relation,強制從資料庫讀取。如果沒有關聯的物件,則會回傳空的 Relation。

@assemblies = @part.assemblies.reload

如果由於驗證錯誤而導致任何這些儲存失敗,則指定語句會回傳 false,並且指定本身會被取消。

class Supplier < ApplicationRecord
  has_one :account
end

class Account < ApplicationRecord
  belongs_to :supplier
end

class CreateSuppliers < ActiveRecord::Migration[8.0]
  def change
    create_table :suppliers do |t|
      t.string :name
      t.timestamps
    end

    create_table :accounts do |t|
      t.belongs_to :supplier_id
      t.string :account_number
      t.timestamps
    end

    add_index :accounts, :supplier_id
  end
end

class Assembly < ApplicationRecord
  has_many :manifests
  has_many :parts, through: :manifests
end

class Manifest < ApplicationRecord
  belongs_to :assembly
  belongs_to :part
end

class Part < ApplicationRecord
  has_many :manifests
  has_many :assemblies, through: :manifests
end

class Assembly < ApplicationRecord
  has_and_belongs_to_many :parts
end

class Part < ApplicationRecord
  has_and_belongs_to_many :assemblies
end

class Picture < ApplicationRecord
  belongs_to :imageable, polymorphic: true
end

class Employee < ApplicationRecord
  has_many :pictures, as: :imageable
end

class Product < ApplicationRecord
  has_many :pictures, as: :imageable
end

Polymorphic Association Diagram

class CreatePictures < ActiveRecord::Migration[8.0]
  def change
    create_table :pictures do |t|
      t.string  :name
      t.bigint  :imageable_id
      t.string  :imageable_type
      t.timestamps
    end

    add_index :pictures, [:imageable_type, :imageable_id]
  end
end

class CreatePictures < ActiveRecord::Migration[8.0]
  def change
    create_table :pictures do |t|
      t.string :name
      t.belongs_to :imageable, polymorphic: true
      t.timestamps
    end
  end
end

class Employee < ApplicationRecord
  # an employee can have many subordinates.
  has_many :subordinates, class_name: "Employee", foreign_key: "manager_id"

  # an employee can have one manager.
  belongs_to :manager, class_name: "Employee", optional: true
end

class CreateEmployees < ActiveRecord::Migration[8.0]
  def change
    create_table :employees do |t|
      # Add a belongs_to reference to the manager, which is an employee.
      t.belongs_to :manager, foreign_key: { to_table: :employees }
      t.timestamps
    end
  end
end

employee = Employee.find(1)
subordinates = employee.subordinates

manager = employee.manager

$ bin/rails generate model vehicle type:string color:string price:decimal{10.2}

$ bin/rails generate model car --parent=Vehicle

class Car < Vehicle
end

這表示所有添加到 Vehicle 的行為,例如關聯、公開方法等等,也適用於 Car。建立一輛 Car 將會把該記錄儲存到 vehicles 資料表中,並將 type 欄位設為 "Car"

針對 MotorcycleBicycle 重複相同的過程。

5.3 建立記錄

建立 Car 的記錄

Car.create(color: "Red", price: 10000)

這會產生以下 SQL

INSERT INTO "vehicles" ("type", "color", "price") VALUES ('Car', 'Red', 10000)

5.4 查詢記錄

查詢 car 記錄只會搜尋類型為 car 的 vehicle

Car.all

將會執行類似以下的查詢

SELECT "vehicles".* FROM "vehicles" WHERE "vehicles"."type" IN ('Car')

5.5 添加特定行為

您可以將特定的行為或方法添加到子模型中。例如,將一個方法添加到 Car 模型

class Car < Vehicle
  def honk
    "Beep Beep"
  end
end

現在您可以在 Car 實例上呼叫 honk 方法

car = Car.first
car.honk
# => 'Beep Beep'

5.6 控制器

每個模型都可以有自己的控制器。例如,CarsController

# app/controllers/cars_controller.rb

class CarsController < ApplicationController
  def index
    @cars = Car.all
  end
end

5.7 覆寫繼承欄位

在某些情況下(例如使用舊有資料庫時),您可能需要覆寫繼承欄位的名稱。這可以使用 inheritance_column 方法來達成。

# Schema: vehicles[ id, kind, created_at, updated_at ]
class Vehicle < ApplicationRecord
  self.inheritance_column = "kind"
end

class Car < Vehicle
end

Car.create
# => #<Car kind: "Car", color: "Red", price: 10000>

在這個設定中,Rails 會使用 kind 欄位來儲存模型類型,讓 STI 可以使用自訂欄位名稱正常運作。

5.8 停用繼承欄位

在某些情況下(例如使用舊有資料庫時),您可能需要完全停用單表繼承 (Single Table Inheritance,STI)。如果您沒有正確停用 STI,您可能會遇到 ActiveRecord::SubclassNotFound 錯誤。

要停用 STI,您可以將 inheritance_column 設定為 nil

# Schema: vehicles[ id, type, created_at, updated_at ]
class Vehicle < ApplicationRecord
  self.inheritance_column = nil
end

Vehicle.create!(type: "Car")
# => #<Vehicle type: "Car", color: "Red", price: 10000>

在這個設定中,Rails 會將 type 欄位視為一般的屬性,而不會將其用於 STI。如果您需要使用不遵循 STI 模式的舊有結構描述,這會很有用。

當您將 Rails 與現有資料庫整合,或當您的模型需要特定的客製化時,這些調整提供了彈性。

5.9 考量

單表繼承 (STI) 在子類別及其屬性之間差異不大時效果最佳,但它會在單一資料表中包含所有子類別的所有屬性。

這種方法的一個缺點是可能會導致資料表膨脹,因為資料表會包含每個子類別特有的屬性,即使其他子類別沒有使用這些屬性。這可以使用 委派類型 來解決。

此外,如果您使用多型關聯,其中一個模型可以透過類型和 ID 屬於多個其他模型,則因為關聯邏輯必須正確處理不同的類型,因此維護參考完整性可能會變得複雜。

最後,如果您的子類別之間有不同的特定資料完整性檢查或驗證,您需要確保 Rails 或資料庫能夠正確處理這些檢查或驗證,尤其是在設定外鍵約束時。

6 委派類型

委派類型透過 delegated_type 解決了單表繼承 (STI) 的資料表膨脹問題。這種方法讓我們將共用的屬性儲存在超類別資料表中,並為子類別特定的屬性建立個別的資料表。

6.1 設定委派類型

要使用委派類型,我們需要以下列方式對資料建模

  • 有一個超類別,將所有子類別之間的共用屬性儲存在其資料表中。
  • 每個子類別都必須繼承自超類別,並且會為其特有的任何額外屬性建立單獨的資料表。

這消除了在單一資料表中定義無意中在所有子類別之間共用的屬性的需求。

6.2 產生模型

為了將此應用於我們上面的範例,我們需要重新產生我們的模型。

首先,讓我們產生基礎的 Entry 模型,它將作為我們的超類別

$ bin/rails generate model entry entryable_type:string entryable_id:integer

然後,我們將產生新的 MessageComment 模型進行委派

$ bin/rails generate model message subject:string body:string
$ bin/rails generate model comment content:string

執行產生器之後,我們的模型應該如下所示

# Schema: entries[ id, entryable_type, entryable_id, created_at, updated_at ]
class Entry < ApplicationRecord
end

# Schema: messages[ id, subject, body, created_at, updated_at ]
class Message < ApplicationRecord
end

# Schema: comments[ id, content, created_at, updated_at ]
class Comment < ApplicationRecord
end

6.3 宣告 delegated_type

首先,在超類別 Entry 中宣告 delegated_type

class Entry < ApplicationRecord
  delegated_type :entryable, types: %w[ Message Comment ], dependent: :destroy
end

entryable 參數指定要用於委派的欄位,並包含類型 MessageComment 作為委派類別。entryable_typeentryable_id 欄位分別儲存子類別名稱和委派子類別的記錄 ID。

6.4 定義 Entryable 模組

接下來,定義一個模組,透過在 has_one 關聯中宣告 as: :entryable 參數來實作這些委派類型。

module Entryable
  extend ActiveSupport::Concern

  included do
    has_one :entry, as: :entryable, touch: true
  end
end

將建立的模組包含在您的子類別中

class Message < ApplicationRecord
  include Entryable
end

class Comment < ApplicationRecord
  include Entryable
end

完成此定義後,我們的 Entry 委派器現在提供以下方法

方法 回傳
Entry.entryable_types ["Message", "Comment"]
Entry#entryable_class Message 或 Comment
Entry#entryable_name "message" 或 "comment"
Entry.messages Entry.where(entryable_type: "Message")
Entry#message? entryable_type == "Message" 時回傳 true
Entry#message entryable_type == "Message" 時回傳訊息記錄,否則回傳 nil
Entry#message_id entryable_type == "Message" 時回傳 entryable_id,否則回傳 nil
Entry.comments Entry.where(entryable_type: "Comment")
Entry#comment? entryable_type == "Comment" 時回傳 true
Entry#comment entryable_type == "Comment" 時回傳評論記錄,否則回傳 nil
Entry#comment_id entryable_type == "Comment" 時回傳 entryable_id,否則回傳 nil

6.5 物件建立

在建立新的 Entry 物件時,我們可以同時指定 entryable 子類別。

Entry.create! entryable: Message.new(subject: "hello!")

6.6 添加進一步委派

我們可以透過定義 delegate 並在子類別上使用多型來增強我們的 Entry 委派器。例如,將 title 方法從 Entry 委派到其子類別

class Entry < ApplicationRecord
  delegated_type :entryable, types: %w[ Message Comment ]
  delegate :title, to: :entryable
end

class Message < ApplicationRecord
  include Entryable

  def title
    subject
  end
end

class Comment < ApplicationRecord
  include Entryable

  def title
    content.truncate(20)
  end
end

此設定允許 Entrytitle 方法委派給其子類別,其中 Message 使用 subject,而 Comment 使用截斷版本的 content

7 提示、技巧和警告

以下是一些您應該知道的事項,以便在您的 Rails 應用程式中有效使用 Active Record 關聯

  • 控制快取
  • 避免名稱衝突
  • 更新結構描述
  • 控制關聯範圍
  • 雙向關聯

7.1 控制關聯快取

所有關聯方法都建立在快取之上,它會保留載入的關聯結果以供後續操作。快取甚至在方法之間共享。例如

# retrieves books from the database
author.books.load

# uses the cached copy of books
author.books.size

# uses the cached copy of books
author.books.empty?

當我們使用 author.books 時,資料不會立即從資料庫載入。相反地,它會設定一個查詢,當您實際嘗試使用資料時才會執行,例如,透過呼叫需要資料的方法,如 each、size、empty? 等。透過在呼叫其他使用資料的方法之前呼叫 author.books.load,您可以明確觸發查詢以立即從資料庫載入資料。如果您知道您需要資料,並且想要避免在您使用關聯時觸發多個查詢的潛在效能負擔,這會很有用。

但是,如果您想要重新載入快取,因為資料可能已被應用程式的其他部分變更,該怎麼辦?只需在關聯上呼叫 reload

# retrieves books from the database
author.books.load

# uses the cached copy of books
author.books.size

# discards the cached copy of books and goes back to the database
author.books.reload.empty?

7.2 避免名稱衝突

在 Ruby on Rails 模型中建立關聯時,務必避免使用已用於 ActiveRecord::Base 實例方法的名稱。這是因為使用與現有方法衝突的名稱建立關聯可能會導致意想不到的後果,例如覆寫基礎方法並導致功能問題。例如,將類似 attributesconnection 的名稱用於關聯會產生問題。

7.3 更新結構描述

關聯非常有用,它們負責定義模型之間的關係,但它們不會更新您的資料庫結構描述。您有責任維護您的資料庫結構描述以符合您的關聯。這通常涉及兩個主要任務:為 belongs_to 關聯建立外鍵,以及為 has_many :throughhas_and_belongs_to_many 關聯設定正確的聯結資料表。您可以閱讀更多關於何時使用 has_many :through vs has_and_belongs_to_many 的資訊,請參閱在 has many through vs has and belongs to many 章節

7.3.1belongs_to 關聯建立外鍵

當您宣告 belongs_to 關聯時,您需要建立適當的外鍵。例如,請考慮此模型

class Book < ApplicationRecord
  belongs_to :author
end

此宣告需要由 books 資料表中對應的外鍵欄位支援。對於全新的資料表,遷移可能會如下所示

class CreateBooks < ActiveRecord::Migration[8.0]
  def change
    create_table :books do |t|
      t.datetime   :published_at
      t.string     :book_number
      t.belongs_to :author
    end
  end
end

而對於現有的資料表,它可能會如下所示

class AddAuthorToBooks < ActiveRecord::Migration[8.0]
  def change
    add_reference :books, :author
  end
end

7.3.2has_and_belongs_to_many 關聯建立聯結資料表

如果您建立 has_and_belongs_to_many 關聯,您需要明確建立聯結資料表。除非聯結資料表的名稱透過使用 :join_table 選項明確指定,否則 Active Record 會使用類別名稱的詞彙順序來建立名稱。因此,author 和 book 模型之間的聯結將會產生預設聯結資料表名稱 "authors_books",因為 "a" 在詞彙順序中優於 "b"。

無論名稱為何,您都必須使用適當的遷移手動產生聯結資料表。例如,請考慮這些關聯

class Assembly < ApplicationRecord
  has_and_belongs_to_many :parts
end

class Part < ApplicationRecord
  has_and_belongs_to_many :assemblies
end

這些關聯需要由遷移來支援,以建立 assemblies_parts 資料表。

$ bin/rails generate migration CreateAssembliesPartsJoinTable assemblies parts

然後,您可以填寫遷移並確保在沒有主鍵的情況下建立資料表。

class CreateAssembliesPartsJoinTable < ActiveRecord::Migration[8.0]
  def change
    create_table :assemblies_parts, id: false do |t|
      t.bigint :assembly_id
      t.bigint :part_id
    end

    add_index :assemblies_parts, :assembly_id
    add_index :assemblies_parts, :part_id
  end
end

我們傳遞 id: falsecreate_table,因為聯結資料表不代表模型。如果您在 has_and_belongs_to_many 關聯中觀察到任何奇怪的行為,例如損壞的模型 ID,或關於衝突 ID 的例外,很可能是您在建立遷移時忘記設定 id: false

為了簡單起見,您也可以使用方法 create_join_table

class CreateAssembliesPartsJoinTable < ActiveRecord::Migration[8.0]
  def change
    create_join_table :assemblies, :parts do |t|
      t.index :assembly_id
      t.index :part_id
    end
  end
end

您可以在Active Record 遷移指南中閱讀更多關於 create_join_table 方法的資訊

7.3.3has_many :through 關聯建立聯結資料表

has_many :throughhas_and_belongs_to_many 建立聯結資料表之間結構描述實作的主要差異在於,has_many :through 的聯結資料表需要一個 id

class CreateAppointments < ActiveRecord::Migration[8.0]
  def change
    create_table :appointments do |t|
      t.belongs_to :physician
      t.belongs_to :patient
      t.datetime :appointment_date
      t.timestamps
    end
  end
end

7.4 控制關聯範圍

預設情況下,關聯只會在目前模組的範圍內尋找物件。當在模組內宣告 Active Record 模型時,此功能特別有用,因為它可以讓關聯保持在正確的範圍內。例如:

module MyApplication
  module Business
    class Supplier < ApplicationRecord
      has_one :account
    end

    class Account < ApplicationRecord
      belongs_to :supplier
    end
  end
end

在這個例子中,SupplierAccount 類別都定義在同一個模組 (MyApplication::Business) 內。這種組織方式讓您可以根據模型的範圍將其結構化到資料夾中,而無需在每個關聯中明確指定範圍。

# app/models/my_application/business/supplier.rb
module MyApplication
  module Business
    class Supplier < ApplicationRecord
      has_one :account
    end
  end
end
# app/models/my_application/business/account.rb
module MyApplication
  module Business
    class Account < ApplicationRecord
      belongs_to :supplier
    end
  end
end

重要的是要注意,雖然模型範圍化有助於組織程式碼,但它不會更改資料庫表格的命名慣例。例如,如果您有一個 MyApplication::Business::Supplier 模型,對應的資料庫表格仍應遵循命名慣例,並命名為 my_application_business_suppliers

但是,如果 SupplierAccount 模型定義在不同的範圍內,則關聯預設將無法運作。

module MyApplication
  module Business
    class Supplier < ApplicationRecord
      has_one :account
    end
  end

  module Billing
    class Account < ApplicationRecord
      belongs_to :supplier
    end
  end
end

若要將模型與不同命名空間中的模型關聯,您必須在關聯宣告中指定完整的類別名稱。

module MyApplication
  module Business
    class Supplier < ApplicationRecord
      has_one :account,
        class_name: "MyApplication::Billing::Account"
    end
  end

  module Billing
    class Account < ApplicationRecord
      belongs_to :supplier,
        class_name: "MyApplication::Business::Supplier"
    end
  end
end

透過明確宣告 class_name 選項,您可以在不同的命名空間之間建立關聯,確保正確的模型被連結,無論它們的模組範圍如何。

7.5 雙向關聯

在 Rails 中,模型之間的關聯通常是雙向的,這表示它們需要在兩個相關的模型中都宣告。請看以下範例:

class Author < ApplicationRecord
  has_many :books
end

class Book < ApplicationRecord
  belongs_to :author
end

Active Record 將會嘗試根據關聯名稱自動識別這兩個模型是否共享雙向關聯。此資訊允許 Active Record 執行以下操作:

  • 防止不必要的查詢已載入的資料

    Active Record 會避免對已載入的資料進行額外的資料庫查詢。

    irb> author = Author.first
    irb> author.books.all? do |book|
    irb>   book.author.equal?(author) # No additional queries executed here
    irb> end
    => true
    
  • 防止資料不一致

    由於只載入一份 Author 物件,這有助於防止資料不一致。

    irb> author = Author.first
    irb> book = author.books.first
    irb> author.name == book.author.name
    => true
    irb> author.name = "Changed Name"
    irb> author.name == book.author.name
    => true
    
  • 在更多情況下自動儲存關聯

    irb> author = Author.new
    irb> book = author.books.new
    irb> book.save!
    irb> book.persisted?
    => true
    irb> author.persisted?
    => true
    
  • 在更多情況下驗證關聯的存在性不存在性

    irb> book = Book.new
    irb> book.valid?
    => false
    irb> book.errors.full_messages
    => ["Author must exist"]
    irb> author = Author.new
    irb> book = author.books.new
    irb> book.valid?
    => true
    

有時,您可能需要使用選項 (例如 :foreign_key:class_name) 來客製化關聯。當您這樣做時,Rails 可能不會自動識別涉及 :through:foreign_key 選項的雙向關聯。

相反關聯上的自訂範圍也會阻止自動識別,除非 config.active_record.automatic_scope_inversing 設定為 true,否則關聯本身的自訂範圍也會阻止自動識別。

例如,請看以下具有自訂外鍵的模型宣告:

class Author < ApplicationRecord
  has_many :books
end

class Book < ApplicationRecord
  belongs_to :writer, class_name: "Author", foreign_key: "author_id"
end

由於 :foreign_key 選項,Active Record 將不會自動識別雙向關聯,這可能會導致幾個問題:

  • 對相同的資料執行不必要的查詢 (在此範例中導致 N+1 查詢)

    irb> author = Author.first
    irb> author.books.any? do |book|
    irb>   book.writer.equal?(author) # This executes an author query for every book
    irb> end
    => false
    
  • 參考具有不一致資料的多份模型複本

    irb> author = Author.first
    irb> book = author.books.first
    irb> author.name == book.writer.name
    => true
    irb> author.name = "Changed Name"
    irb> author.name == book.writer.name
    => false
    
  • 無法自動儲存關聯

    irb> author = Author.new
    irb> book = author.books.new
    irb> book.save!
    irb> book.persisted?
    => true
    irb> author.persisted?
    => false
    
  • 無法驗證存在性或不存在性

    irb> author = Author.new
    irb> book = author.books.new
    irb> book.valid?
    => false
    irb> book.errors.full_messages
    => ["Author must exist"]
    

若要解決這些問題,您可以使用 :inverse_of 選項明確宣告雙向關聯。

class Author < ApplicationRecord
  has_many :books, inverse_of: "writer"
end

class Book < ApplicationRecord
  belongs_to :writer, class_name: "Author", foreign_key: "author_id"
end

透過在 has_many 關聯宣告中包含 :inverse_of 選項,Active Record 將會識別雙向關聯,並如上述初始範例中所述般運作。

8 關聯參考

8.1 選項

雖然 Rails 使用智慧型預設值,在大多數情況下都能正常運作,但有時您可能想要客製化關聯參考的行為。可以透過在建立關聯時傳遞選項區塊來完成這些客製化。例如,此關聯使用兩個此類選項:

class Book < ApplicationRecord
  belongs_to :author, touch: :books_updated_at,
    counter_cache: true
end

每個關聯都支援許多選項,您可以在 ActiveRecord Associations API 中每個關聯的 Options 區段中閱讀更多相關資訊。我們將在下面討論一些常見的用例。

8.1.1 :class_name

如果無法從關聯名稱推導出另一個模型的名稱,您可以使用 :class_name 選項來提供模型名稱。例如,如果一本書屬於作者,但包含作者的模型的實際名稱是 Patron,您應該這樣設定:

class Book < ApplicationRecord
  belongs_to :author, class_name: "Patron"
end

8.1.2 :dependent

控制當擁有者被銷毀時,關聯的物件會發生什麼事

  • :destroy,當物件被銷毀時,將在其關聯的物件上呼叫 destroy。此方法不僅會從資料庫中移除關聯的記錄,還會確保任何已定義的回呼 (例如 before_destroyafter_destroy) 都會執行。這對於在刪除過程中執行自訂邏輯 (例如記錄或清除相關資料) 非常有用。
  • :delete,當物件被銷毀時,其所有關聯的物件將會直接從資料庫中刪除,而不會呼叫它們的 destroy 方法。此方法會執行直接刪除,並略過關聯模型中的任何回呼或驗證,使其更有效率,但如果跳過重要的清除工作,可能會導致資料完整性問題。當您需要快速移除記錄,且確信關聯的記錄不需要執行其他動作時,請使用 delete
  • :destroy_async:當物件被銷毀時,會排入一個 ActiveRecord::DestroyAssociationAsyncJob 工作,該工作將呼叫其關聯的物件上的 destroy。必須設定 Active Job 才能使其運作。如果關聯受到資料庫中的外鍵約束的支援,請勿使用此選項。外鍵約束動作將會在刪除其擁有者的同一交易內發生。
  • :nullify 會導致外鍵設定為 NULL。在多型關聯上,多型類型欄也會被設定為 null。不會執行回呼。
  • 如果有關聯的記錄,則 :restrict_with_exception 會導致引發 ActiveRecord::DeleteRestrictionError 例外。
  • 如果有關聯的物件,則 :restrict_with_error 會導致錯誤新增至擁有者。

您不應在與另一類別上的 has_many 關聯連接的 belongs_to 關聯上指定此選項。這樣做可能會導致資料庫中出現孤立的記錄,因為銷毀父物件可能會嘗試銷毀其子物件,而子物件反過來可能會嘗試再次銷毀父物件,從而導致不一致。

請勿將 :nullify 選項留給具有 NOT NULL 資料庫約束的關聯。將 dependent 設定為 :destroy 至關重要;否則,關聯物件的外鍵可能會設定為 NULL,從而阻止對其進行變更。

:dependent 選項會與 :through 選項一起忽略。當使用 :through 時,聯結模型必須具有 belongs_to 關聯,並且刪除只會影響聯結記錄,而不會影響關聯的記錄。

當在具有範圍的關聯上使用 dependent: :destroy 時,只會銷毀具有範圍的物件。例如,在定義為 has_many :comments, -> { where published: true }, dependent: :destroyPost 模型中,在貼文上呼叫 destroy 只會刪除已發佈的留言,而未發佈的留言則會保留,其外鍵指向已刪除的貼文。

您無法直接在 has_and_belongs_to_many 關聯上使用 :dependent 選項。若要管理聯結表格記錄的刪除,請手動處理它們,或切換到 has_many :through 關聯,它提供更大的彈性並支援 :dependent 選項。

8.1.3 :foreign_key

按照慣例,Rails 假設用於在此模型上保留外鍵的欄是關聯的名稱,並加上 _id 後綴。:foreign_key 選項可讓您直接設定外鍵的名稱。

class Supplier < ApplicationRecord
  has_one :account, foreign_key: "supp_id"
end

Rails 不會為您建立外鍵欄。您需要在遷移中明確定義它們。

8.1.4 :primary_key

預設情況下,Rails 會使用 id 欄作為其表格的主鍵。:primary_key 選項可讓您指定不同的欄作為主鍵。

例如,如果 users 表格使用 guid 作為主鍵,而不是 id,並且您希望 todos 表格將 guid 參照為外鍵 (user_id),您可以這樣設定:

class User < ApplicationRecord
  self.primary_key = "guid" # Sets the primary key to guid instead of id
end

class Todo < ApplicationRecord
  belongs_to :user, primary_key: "guid" # References the guid column in users table
end

當您執行 @user.todos.create 時,@todo 記錄的 user_id 值將會設定為 @userguid 值。

has_and_belongs_to_many 不支援 :primary_key 選項。對於這種類型的關聯,您可以使用具有 has_many :through 關聯的聯結表格來實現類似的功能,這可提供更大的彈性並支援 :primary_key 選項。您可以在has_many :through 區段中閱讀更多相關資訊。

8.1.5 :touch

如果您將 :touch 選項設定為 true,則每當此物件儲存或銷毀時,關聯物件上的 updated_atupdated_on 時間戳記將會設定為目前時間。

class Book < ApplicationRecord
  belongs_to :author, touch: true
end

class Author < ApplicationRecord
  has_many :books
end

在這種情況下,儲存或銷毀一本書將會更新關聯作者的時間戳記。您也可以指定要更新的特定時間戳記屬性。

class Book < ApplicationRecord
  belongs_to :author, touch: :books_updated_at
end

has_and_belongs_to_many 不支援 :touch 選項。對於這種類型的關聯,您可以使用具有 has_many :through 關聯的聯結表格來實現類似的功能。您可以在has_many :through 區段中閱讀更多相關資訊。

8.1.6 :validate

如果您將 :validate 選項設定為 true,則每當您儲存此物件時,新的關聯物件都會被驗證。預設情況下,這是 false:當儲存此物件時,不會驗證新的關聯物件。

has_and_belongs_to_many 不支援 :validate 選項。對於這種類型的關聯,您可以使用具有 has_many :through 關聯的聯結表格來實現類似的功能。您可以在has_many :through 區段中閱讀更多相關資訊。

8.1.7 :inverse_of

:inverse_of 選項指定此關聯的反向 belongs_to 關聯名稱。請參閱雙向關聯區段以取得更多詳細資訊。

class Supplier < ApplicationRecord
  has_one :account, inverse_of: :supplier
end

class Account < ApplicationRecord
  belongs_to :supplier, inverse_of: :account
end

8.1.8 :source_type

:source_type 選項指定透過多型關聯has_many :through 關聯的來源關聯類型。

class Author < ApplicationRecord
  has_many :books
  has_many :paperbacks, through: :books, source: :format, source_type: "Paperback"
end

class Book < ApplicationRecord
  belongs_to :format, polymorphic: true
end

class Hardback < ApplicationRecord; end
class Paperback < ApplicationRecord; end

8.1.9 :strict_loading

強制每次透過此關聯載入關聯記錄時都進行嚴格載入。

8.1.10 :association_foreign_key

:association_foreign_key 可以在 has_and_belongs_to_many 關聯中找到。按照慣例,Rails 假設在聯結表格中用於保留指向另一個模型的外鍵的欄是該模型的名稱,並加上 _id 後綴。:association_foreign_key 選項可讓您直接設定外鍵的名稱。例如:

class User < ApplicationRecord
  has_and_belongs_to_many :friends,
      class_name: "User",
      foreign_key: "this_user_id",
      association_foreign_key: "other_user_id"
end

當設定多對多自我聯結時,:foreign_key:association_foreign_key 選項非常有用。

8.1.11 :join_table

:join_table 可以在 has_and_belongs_to_many 關聯中找到。如果根據詞彙排序的連接表預設名稱不是你想要的,你可以使用 :join_table 選項來覆蓋預設值。

8.2 範圍 (Scopes)

範圍允許你指定常用的查詢,可以作為關聯物件的方法呼叫來引用。這對於定義在應用程式中多處重複使用的自訂查詢非常有用。例如:

class Parts < ApplicationRecord
  has_and_belongs_to_many :assemblies, -> { where active: true }
end

8.2.1 一般範圍

你可以在範圍區塊內使用任何標準的 查詢方法。以下將討論這些方法:

  • where
  • includes
  • readonly
  • select
8.2.1.1 where

where 方法讓你指定關聯物件必須符合的條件。

class Parts < ApplicationRecord
  has_and_belongs_to_many :assemblies,
    -> { where "factory = 'Seattle'" }
end

你也可以透過雜湊來設定條件

class Parts < ApplicationRecord
  has_and_belongs_to_many :assemblies,
    -> { where factory: "Seattle" }
end

如果你使用雜湊樣式的 where,那麼透過此關聯建立記錄時,將會自動使用該雜湊設定範圍。在此情況下,使用 @parts.assemblies.create@parts.assemblies.build 將會建立 factory 欄位值為 "Seattle" 的組件。

8.2.1.2 includes

你可以使用 includes 方法來指定在使用此關聯時應預先載入的第二層關聯。例如,考慮以下模型:

class Supplier < ApplicationRecord
  has_one :account
end

class Account < ApplicationRecord
  belongs_to :supplier
  belongs_to :representative
end

class Representative < ApplicationRecord
  has_many :accounts
end

如果你經常直接從供應商檢索代表 (@supplier.account.representative),那麼你可以透過在供應商到帳戶的關聯中包含代表,使你的程式碼更有效率:

class Supplier < ApplicationRecord
  has_one :account, -> { includes :representative }
end

class Account < ApplicationRecord
  belongs_to :supplier
  belongs_to :representative
end

class Representative < ApplicationRecord
  has_many :accounts
end

對於直接關聯,不需要使用 includes - 也就是說,如果你有 Book belongs_to :author,那麼作者會在需要時自動預先載入。

8.2.1.3 readonly

如果你使用 readonly,則透過關聯檢索關聯物件時,該物件將會是唯讀的。

class Book < ApplicationRecord
  belongs_to :author, -> { readonly }
end

當你想要防止透過關聯修改關聯物件時,這非常有用。例如,如果你有一個 Book 模型 belongs_to :author,你可以使用 readonly 來防止透過書籍修改作者:

@book.author = Author.first
@book.author.save! # This will raise an ActiveRecord::ReadOnlyRecord error
8.2.1.4 select

select 方法讓你覆蓋用於檢索關聯物件資料的 SQL SELECT 子句。預設情況下,Rails 會檢索所有欄位。

例如,如果你有一個 Author 模型有很多 Book,但你只想檢索每本書的 title

class Author < ApplicationRecord
  has_many :books, -> { select(:id, :title) } # Only select id and title columns
end

class Book < ApplicationRecord
  belongs_to :author
end

現在,當你存取作者的書籍時,只會從 books 資料表中檢索 idtitle 欄位。

如果在 belongs_to 關聯上使用 select 方法,你也應該設定 :foreign_key 選項以確保結果正確。例如:

class Book < ApplicationRecord
  belongs_to :author, -> { select(:id, :name) }, foreign_key: "author_id" # Only select id and name columns
end

class Author < ApplicationRecord
  has_many :books
end

在此情況下,當你存取書的作者時,只會從 authors 資料表中檢索 idname 欄位。

8.2.2 集合範圍

has_manyhas_and_belongs_to_many 是處理記錄集合的關聯,因此你可以使用其他方法(如 grouplimitorderselectdistinct)來自訂關聯使用的查詢。

8.2.2.1 group

group 方法提供一個屬性名稱,用於透過在尋找器 SQL 中使用 GROUP BY 子句來將結果集分組。

class Parts < ApplicationRecord
  has_and_belongs_to_many :assemblies, -> { group "factory" }
end
8.2.2.2 limit

limit 方法讓你限制透過關聯提取的物件總數。

class Parts < ApplicationRecord
  has_and_belongs_to_many :assemblies,
    -> { order("created_at DESC").limit(50) }
end
8.2.2.3 order

order 方法指示接收關聯物件的順序 (使用 SQL ORDER BY 子句的語法)。

class Author < ApplicationRecord
  has_many :books, -> { order "date_confirmed DESC" }
end
8.2.2.4 select

select 方法讓你覆蓋用於檢索關聯物件資料的 SQL SELECT 子句。預設情況下,Rails 會檢索所有欄位。

如果你指定自己的 select,請務必包含關聯模型的主鍵和外鍵欄位。否則,Rails 將會拋出錯誤。

8.2.2.5 distinct

使用 distinct 方法來保持集合中沒有重複項。這通常與 :through 選項一起使用最有用。

class Person < ApplicationRecord
  has_many :readings
  has_many :articles, through: :readings
end
irb> person = Person.create(name: 'John')
irb> article = Article.create(name: 'a1')
irb> person.articles << article
irb> person.articles << article
irb> person.articles.to_a
=> [#<Article id: 5, name: "a1">, #<Article id: 5, name: "a1">]
irb> Reading.all.to_a
=> [#<Reading id: 12, person_id: 5, article_id: 5>, #<Reading id: 13, person_id: 5, article_id: 5>]

在上述情況下,有兩個閱讀記錄,而 person.articles 會顯示這兩者,即使這些記錄指向的是同一篇文章。

現在讓我們設定 distinct

class Person
  has_many :readings
  has_many :articles, -> { distinct }, through: :readings
end
irb> person = Person.create(name: 'Honda')
irb> article = Article.create(name: 'a1')
irb> person.articles << article
irb> person.articles << article
irb> person.articles.to_a
=> [#<Article id: 7, name: "a1">]
irb> Reading.all.to_a
=> [#<Reading id: 16, person_id: 7, article_id: 7>, #<Reading id: 17, person_id: 7, article_id: 7>]

在上述情況下,仍然有兩個閱讀記錄。但是,person.articles 只顯示一篇文章,因為集合只載入唯一的記錄。

如果你想確保在插入時,持久化關聯中的所有記錄都是唯一的 (這樣你就可以確保在檢查關聯時永遠不會找到重複的記錄),你應該在資料表本身上新增一個唯一索引。例如,如果你有一個名為 readings 的資料表,並且想要確保一篇文章只能新增到一個人一次,你可以在遷移中新增以下內容:

add_index :readings, [:person_id, :article_id], unique: true

一旦你擁有這個唯一索引,嘗試將文章新增到同一個人兩次將會引發 ActiveRecord::RecordNotUnique 錯誤。

irb> person = Person.create(name: 'Honda')
irb> article = Article.create(name: 'a1')
irb> person.articles << article
irb> person.articles << article
ActiveRecord::RecordNotUnique

請注意,使用類似 include? 的方法檢查唯一性會受到競爭條件的影響。請勿嘗試使用 include? 來強制關聯中的唯一性。例如,使用上面文章的範例,以下程式碼會有競爭條件,因為多個使用者可能會同時嘗試執行此操作:

person.articles << article unless person.articles.include?(article)

8.2.3 使用關聯擁有者

你可以將關聯的擁有者作為單一引數傳遞給範圍區塊,以更進一步控制關聯範圍。但是,請注意,這樣做會使預先載入關聯變得不可能。

例如:

class Supplier < ApplicationRecord
  has_one :account, ->(supplier) { where active: supplier.active? }
end

在此範例中,Supplier 模型的 account 關聯是根據供應商的 active 狀態設定範圍的。

透過利用關聯擴充和使用關聯擁有者設定範圍,你可以在 Rails 應用程式中建立更動態和具有上下文意識的關聯。

8.3 計數器快取

Rails 中的 :counter_cache 選項有助於提高尋找關聯物件數量的效率。考慮以下模型:

class Book < ApplicationRecord
  belongs_to :author
end

class Author < ApplicationRecord
  has_many :books
end

預設情況下,查詢 @auth books.size 會導致資料庫呼叫以執行 COUNT(*) 查詢。為了最佳化此操作,你可以在 *屬於* 模型 (在此情況下為 Book) 中新增計數器快取。這樣,Rails 可以直接從快取傳回計數,而無需查詢資料庫。

class Book < ApplicationRecord
  belongs_to :author, counter_cache: true
end

class Author < ApplicationRecord
  has_many :books
end

使用此宣告,Rails 會保持快取值為最新,然後在回應 size 方法時傳回該值,從而避免資料庫呼叫。

雖然 :counter_cache 選項是在具有 belongs_to 宣告的模型上指定的,但實際的欄位必須新增到 *關聯* (在此情況下為 has_many) 模型中。在此範例中,你需要在 Author 模型中新增 books_count 欄位。

class AddBooksCountToAuthors < ActiveRecord::Migration[8.0]
  def change
    add_column :authors, :books_count, :integer, default: 0, null: false
  end
end

你可以在 counter_cache 宣告中指定自訂欄位名稱,而不是使用預設的 books_count。例如,使用 count_of_books

class Book < ApplicationRecord
  belongs_to :author, counter_cache: :count_of_books
end

class Author < ApplicationRecord
  has_many :books
end

你只需要在關聯的 belongs_to 端指定 :counter_cache 選項。

在現有大型資料表上使用計數器快取可能會很麻煩。為了避免長時間鎖定資料表,必須將欄位值與欄位新增分開回填。此回填也必須在使用 :counter_cache 之前進行;否則,像 sizeany? 等依賴計數器快取的方法可能會傳回不正確的結果。

為了安全地回填值,同時保持計數器快取欄位隨著子記錄的建立/移除而更新,並確保方法始終從資料庫取得結果 (避免來自未初始化的計數器快取可能不正確的值),請使用 counter_cache: { active: false }。此設定確保方法始終從資料庫擷取結果,避免來自未初始化計數器快取的不正確值。如果你需要指定自訂欄位名稱,請使用 counter_cache: { active: false, column: :my_custom_counter }

如果由於某些原因你更改了擁有者模型的主鍵值,並且沒有更新被計數模型的外鍵,那麼計數器快取可能會具有過時的資料。換句話說,任何孤立的模型仍將計入計數器。若要修正過時的計數器快取,請使用 reset_counters

8.4 回呼 (Callbacks)

一般回呼會掛鉤到 Active Record 物件的生命週期,允許你在不同的時間點使用這些物件。例如,你可以使用 :before_save 回呼來使某個動作在物件儲存之前發生。

關聯回呼與一般回呼類似,但是它們是由與 Active Record 物件關聯的集合的生命週期中的事件觸發的。有四個可用的關聯回呼:

  • before_add
  • after_add
  • before_remove
  • after_remove

你可以透過將選項新增到關聯宣告來定義關聯回呼。例如:

class Author < ApplicationRecord
  has_many :books, before_add: :check_credit_limit

  def check_credit_limit(book)
    throw(:abort) if limit_reached?
  end
end

在此範例中,Author 模型與 bookshas_many 關聯。before_add 回呼 check_credit_limit 在書籍新增到集合之前觸發。如果 limit_reached? 方法傳回 true,則不會將該書籍新增到集合。

透過使用這些關聯回呼,你可以自訂關聯的行為,確保在集合生命週期的關鍵點執行特定動作。

Active Record 回呼指南中閱讀更多關於關聯回呼的資訊。

8.5 擴充 (Extensions)

Rails 提供了擴充關聯代理物件功能的能力,該物件透過新增尋找器、建立器或其他方法透過匿名模組來管理關聯。此功能允許你自訂關聯以滿足應用程式的特定需求。

你可以直接在模型定義中以自訂方法擴充 has_many 關聯。例如:

class Author < ApplicationRecord
  has_many :books do
    def find_by_book_prefix(book_number)
      find_by(category_id: book_number[0..2])
    end
  end
end

在此範例中,find_by_book_prefix 方法會新增到 Author 模型的 books 關聯。此自訂方法允許你根據 book_number 的特定前綴來尋找 books

如果你有一個應該由多個關聯共用的擴充,你可以使用已命名的擴充模組。例如:

module FindRecentExtension
  def find_recent
    where("created_at > ?", 5.days.ago)
  end
end

class Author < ApplicationRecord
  has_many :books, -> { extending FindRecentExtension }
end

class Supplier < ApplicationRecord
  has_many :deliveries, -> { extending FindRecentExtension }
end

在此情況下,FindRecentExtension 模組用於將 find_recent 方法新增到 Author 模型中的 books 關聯和 Supplier 模型中的 deliveries 關聯。此方法會擷取最近五天內建立的記錄。

擴充可以使用 proxy_association 存取器與關聯代理的內部元件進行互動。proxy_association 提供三個重要的屬性:

  • proxy_association.owner 會傳回關聯所屬的物件。
  • proxy_association.reflection 會傳回描述關聯的反思物件。
  • proxy_association.target 會傳回 belongs_tohas_one 的關聯物件,或是 has_manyhas_and_belongs_to_many 的關聯物件集合。

這些屬性允許擴充存取和操作關聯代理的內部狀態和行為。

以下是一個進階範例,示範如何在擴充中使用這些屬性:

module AdvancedExtension
  def find_and_log(query)
    results = where(query)
    proxy_association.owner.logger.info("Querying #{proxy_association.reflection.name} with #{query}")
    results
  end
end

class Author < ApplicationRecord
  has_many :books, -> { extending AdvancedExtension }
end

在這個範例中,find_and_log 方法會對關聯執行查詢,並使用擁有者的記錄器記錄查詢詳細資訊。此方法透過 proxy_association.owner 存取擁有者的記錄器,並透過 proxy_association.reflection.name 存取關聯的名稱。



回到頂端