1 物件生命週期
在 Rails 應用程式的正常運作過程中,物件可能會被建立、更新和刪除。Active Record 提供了掛鉤到此物件生命週期的方法,讓您可以控制您的應用程式及其資料。
回呼允許您在物件狀態變更之前或之後觸發邏輯。它們是在物件生命週期的特定時刻被呼叫的方法。透過回呼,可以編寫在 Active Record 物件初始化、建立、儲存、更新、刪除、驗證或從資料庫載入時執行的程式碼。
class BirthdayCake < ApplicationRecord
after_create -> { Rails.logger.info("Congratulations, the callback has run!") }
end
irb> BirthdayCake.create
Congratulations, the callback has run!
如您所見,有許多生命週期事件和多種掛鉤到這些事件的選項 — 在它們之前、之後,甚至在它們周圍。
2 回呼註冊
要使用可用的回呼,您需要實作並註冊它們。實作可以透過多種方式完成,例如使用普通方法、區塊和程序,或使用類別或模組定義自訂回呼物件。讓我們來看看這些實作技術。
您可以使用巨集樣式的類別方法,該方法會呼叫普通方法進行實作來註冊回呼。
class User < ApplicationRecord
validates :username, :email, presence: true
before_validation :ensure_username_has_value
private
def ensure_username_has_value
if username.blank?
self.username = email
end
end
end
巨集樣式的類別方法也可以接收區塊。如果區塊內的程式碼非常簡短,以至於可以放在一行中,請考慮使用此樣式
class User < ApplicationRecord
validates :username, :email, presence: true
before_validation do
self.username = email if username.blank?
end
end
或者,您可以將程序傳遞給回呼以觸發。
class User < ApplicationRecord
validates :username, :email, presence: true
before_validation ->(user) { user.username = user.email if user.username.blank? }
end
最後,您可以定義自訂回呼物件,如下所示。我們稍後將更詳細地介紹這些內容。
class User < ApplicationRecord
validates :username, :email, presence: true
before_validation AddUsername
end
class AddUsername
def self.before_validation(record)
if record.username.blank?
record.username = record.email
end
end
end
2.1 註冊在生命週期事件觸發的回呼
回呼也可以註冊為僅在某些生命週期事件觸發,這可以使用 :on
選項完成,並允許完全控制何時以及在何種情況下觸發回呼。
上下文就像您想要應用某些驗證的類別或情境。當您驗證 ActiveRecord 模型時,您可以指定上下文來對驗證進行分組。這允許您擁有在不同情況下應用不同的驗證集。在 Rails 中,有一些用於驗證的預設上下文,例如 :create、:update 和 :save。
class User < ApplicationRecord
validates :username, :email, presence: true
before_validation :ensure_username_has_value, on: :create
# :on takes an array as well
after_validation :set_location, on: [ :create, :update ]
private
def ensure_username_has_value
if username.blank?
self.username = email
end
end
def set_location
self.location = LocationService.query(self)
end
end
建議將回呼方法宣告為私有。如果保留為公開,則可以從模型外部呼叫它們,並違反物件封裝的原則。
請勿在回呼方法中使用 update
、save
或任何其他會對物件產生副作用的方法。
例如,避免在回呼中呼叫 update(attribute: "value")
。這種做法可能會修改模型的狀態,並可能導致在提交過程中出現無法預見的副作用。
相反地,您可以在 before_create
、before_update
或更早的回呼中直接指派值(例如,self.attribute = "value"
),以獲得更安全的方法。
3 可用的回呼
以下是所有可用的 Active Record 回呼的列表,按照它們在各自操作期間被呼叫的順序列出
3.1 建立物件
before_validation
after_validation
before_save
around_save
before_create
around_create
after_create
after_save
after_commit
/after_rollback
請參閱 after_commit
/ after_rollback
章節,了解使用這兩個回呼的範例。
下面有一些範例說明如何使用這些回呼。我們已根據它們關聯的操作對它們進行分組,最後顯示它們如何組合使用。
3.1.1 驗證回呼
當記錄直接透過 valid?
( 或其別名 validate
) 或 invalid?
方法進行驗證時,或間接透過 create
、update
或 save
方法進行驗證時,會觸發驗證回呼。它們會在驗證階段之前和之後呼叫。
class User < ApplicationRecord
validates :name, presence: true
before_validation :titleize_name
after_validation :log_errors
private
def titleize_name
self.name = name.downcase.titleize if name.present?
Rails.logger.info("Name titleized to #{name}")
end
def log_errors
if errors.any?
Rails.logger.error("Validation failed: #{errors.full_messages.join(', ')}")
end
end
end
irb> user = User.new(name: "", email: "john.doe@example.com", password: "abc123456")
=> #<User id: nil, email: "john.doe@example.com", created_at: nil, updated_at: nil, name: "">
irb> user.valid?
Name titleized to
Validation failed: Name can't be blank
=> false
3.1.2 儲存回呼
當記錄透過 create
、update
或 save
方法保存到基礎資料庫時,會觸發儲存回呼。它們會在物件儲存之前、之後和周圍呼叫。
class User < ApplicationRecord
before_save :hash_password
around_save :log_saving
after_save :update_cache
private
def hash_password
self.password_digest = BCrypt::Password.create(password)
Rails.logger.info("Password hashed for user with email: #{email}")
end
def log_saving
Rails.logger.info("Saving user with email: #{email}")
yield
Rails.logger.info("User saved with email: #{email}")
end
def update_cache
Rails.cache.write(["user_data", self], attributes)
Rails.logger.info("Update Cache")
end
end
irb> user = User.create(name: "Jane Doe", password: "password", email: "jane.doe@example.com")
Password hashed for user with email: jane.doe@example.com
Saving user with email: jane.doe@example.com
User saved with email: jane.doe@example.com
Update Cache
=> #<User id: 1, email: "jane.doe@example.com", created_at: "2024-03-20 16:02:43.685500000 +0000", updated_at: "2024-03-20 16:02:43.685500000 +0000", name: "Jane Doe">
3.1.3 建立回呼
當記錄第一次保存到基礎資料庫時(換句話說,當我們透過 create
或 save
方法儲存新記錄時),會觸發建立回呼。它們會在物件建立之前、之後和周圍呼叫。
class User < ApplicationRecord
before_create :set_default_role
around_create :log_creation
after_create :send_welcome_email
private
def set_default_role
self.role = "user"
Rails.logger.info("User role set to default: user")
end
def log_creation
Rails.logger.info("Creating user with email: #{email}")
yield
Rails.logger.info("User created with email: #{email}")
end
def send_welcome_email
UserMailer.welcome_email(self).deliver_later
Rails.logger.info("User welcome email sent to: #{email}")
end
end
irb> user = User.create(name: "John Doe", email: "john.doe@example.com")
User role set to default: user
Creating user with email: john.doe@example.com
User created with email: john.doe@example.com
User welcome email sent to: john.doe@example.com
=> #<User id: 10, email: "john.doe@example.com", created_at: "2024-03-20 16:19:52.405195000 +0000", updated_at: "2024-03-20 16:19:52.405195000 +0000", name: "John Doe">
3.2 更新物件
當現有的記錄保存到基礎資料庫時(換句話說,已儲存),會觸發更新回呼。它們會在物件更新之前、之後和周圍呼叫。
before_validation
after_validation
before_save
around_save
before_update
around_update
after_update
after_save
after_commit
/after_rollback
after_save
回呼會在建立和更新操作時觸發。但是,無論巨集呼叫的順序如何,它都會在更特定的回呼 after_create
和 after_update
之後一致地執行。同樣地,在儲存之前和周圍的回呼也遵循相同的規則:before_save
在建立/更新之前執行,而 around_save
在建立/更新操作周圍執行。請務必注意,儲存回呼總是會在更特定的建立/更新回呼之前/周圍/之後執行。
我們已經介紹了驗證和儲存回呼。請參閱 after_commit
/ after_rollback
章節,了解使用這兩個回呼的範例。
3.2.1 更新回呼
class User < ApplicationRecord
before_update :check_role_change
around_update :log_updating
after_update :send_update_email
private
def check_role_change
if role_changed?
Rails.logger.info("User role changed to #{role}")
end
end
def log_updating
Rails.logger.info("Updating user with email: #{email}")
yield
Rails.logger.info("User updated with email: #{email}")
end
def send_update_email
UserMailer.update_email(self).deliver_later
Rails.logger.info("Update email sent to: #{email}")
end
end
irb> user = User.find(1)
=> #<User id: 1, email: "john.doe@example.com", created_at: "2024-03-20 16:19:52.405195000 +0000", updated_at: "2024-03-20 16:19:52.405195000 +0000", name: "John Doe", role: "user" >
irb> user.update(role: "admin")
User role changed to admin
Updating user with email: john.doe@example.com
User updated with email: john.doe@example.com
Update email sent to: john.doe@example.com
3.2.2 使用回呼的組合
通常,您會需要結合多種回呼來實現所需的行為。例如,您可能希望在使用者建立後發送確認電子郵件,但僅限於使用者是新建立而非更新的情況。當使用者更新時,如果變更了重要的資訊,您可能希望通知管理員。在這種情況下,您可以同時使用 after_create
和 after_update
回呼。
class User < ApplicationRecord
after_create :send_confirmation_email
after_update :notify_admin_if_critical_info_updated
private
def send_confirmation_email
UserMailer.confirmation_email(self).deliver_later
Rails.logger.info("Confirmation email sent to: #{email}")
end
def notify_admin_if_critical_info_updated
if saved_change_to_email? || saved_change_to_phone_number?
AdminMailer.user_critical_info_updated(self).deliver_later
Rails.logger.info("Notification sent to admin about critical info update for: #{email}")
end
end
end
irb> user = User.create(name: "John Doe", email: "john.doe@example.com")
Confirmation email sent to: john.doe@example.com
=> #<User id: 1, email: "john.doe@example.com", ...>
irb> user.update(email: "john.doe.new@example.com")
Notification sent to admin about critical info update for: john.doe.new@example.com
=> true
3.3 銷毀物件
每當記錄被銷毀時,都會觸發銷毀回呼,但當記錄被刪除時則會忽略。它們會在物件銷毀之前、之後和周圍被呼叫。
請參閱使用 after_commit
/ after_rollback
的範例。
3.3.1 銷毀回呼
class User < ApplicationRecord
before_destroy :check_admin_count
around_destroy :log_destroy_operation
after_destroy :notify_users
private
def check_admin_count
if admin? && User.where(role: "admin").count == 1
throw :abort
end
Rails.logger.info("Checked the admin count")
end
def log_destroy_operation
Rails.logger.info("About to destroy user with ID #{id}")
yield
Rails.logger.info("User with ID #{id} destroyed successfully")
end
def notify_users
UserMailer.deletion_email(self).deliver_later
Rails.logger.info("Notification sent to other users about user deletion")
end
end
irb> user = User.find(1)
=> #<User id: 1, email: "john.doe@example.com", created_at: "2024-03-20 16:19:52.405195000 +0000", updated_at: "2024-03-20 16:19:52.405195000 +0000", name: "John Doe", role: "admin">
irb> user.destroy
Checked the admin count
About to destroy user with ID 1
User with ID 1 destroyed successfully
Notification sent to other users about user deletion
3.4 after_initialize
和 after_find
每當 Active Record 物件被實例化時,無論是直接使用 new
或從資料庫載入記錄,都會呼叫after_initialize
回呼。這對於避免直接覆寫您的 Active Record initialize
方法很有用。
當從資料庫載入記錄時,將會呼叫after_find
回呼。如果 after_find
和 after_initialize
都定義了,則會先呼叫 after_find
,然後再呼叫 after_initialize
。
after_initialize
和 after_find
回呼沒有 before_*
對應的回呼。
它們可以像其他 Active Record 回呼一樣註冊。
class User < ApplicationRecord
after_initialize do |user|
Rails.logger.info("You have initialized an object!")
end
after_find do |user|
Rails.logger.info("You have found an object!")
end
end
irb> User.new
You have initialized an object!
=> #<User id: nil>
irb> User.first
You have found an object!
You have initialized an object!
=> #<User id: 1>
3.5 after_touch
每當 Active Record 物件被觸碰時,就會呼叫after_touch
回呼。您可以在 API 文件中閱讀更多關於 touch
的資訊。
class User < ApplicationRecord
after_touch do |user|
Rails.logger.info("You have touched an object")
end
end
irb> user = User.create(name: "Kuldeep")
=> #<User id: 1, name: "Kuldeep", created_at: "2013-11-25 12:17:49", updated_at: "2013-11-25 12:17:49">
irb> user.touch
You have touched an object
=> true
它可以與 belongs_to
一起使用
class Book < ApplicationRecord
belongs_to :library, touch: true
after_touch do
Rails.logger.info("A Book was touched")
end
end
class Library < ApplicationRecord
has_many :books
after_touch :log_when_books_or_library_touched
private
def log_when_books_or_library_touched
Rails.logger.info("Book/Library was touched")
end
end
irb> book = Book.last
=> #<Book id: 1, library_id: 1, created_at: "2013-11-25 17:04:22", updated_at: "2013-11-25 17:05:05">
irb> book.touch # triggers book.library.touch
A Book was touched
Book/Library was touched
=> true
4 執行回呼
下列方法會觸發回呼
create
create!
destroy
destroy!
destroy_all
destroy_by
save
save!
save(validate: false)
save!(validate: false)
toggle!
touch
update_attribute
update_attribute!
update
update!
valid?
validate
此外,after_find
回呼會由下列尋找器方法觸發
all
first
find
find_by
find_by!
find_by_*
find_by_*!
find_by_sql
last
sole
take
每次初始化類別的新物件時,都會觸發 after_initialize
回呼。
find_by_*
和 find_by_*!
方法是為每個屬性自動產生的動態尋找器。在動態尋找器章節中了解更多關於它們的資訊。
5 條件式回呼
與驗證一樣,我們也可以讓回呼方法的呼叫取決於給定謂詞的滿足情況。我們可以透過使用 :if
和 :unless
選項來完成此操作,這些選項可以接受符號、Proc
或 Array
。
當您想要指定在哪些條件下回呼**應該**被呼叫時,可以使用 :if
選項。如果您想要指定在哪些條件下回呼**不應該**被呼叫時,可以使用 :unless
選項。
5.1 將 :if
和 :unless
與 Symbol
一起使用
您可以將 :if
和 :unless
選項與一個符號關聯,該符號對應於一個謂詞方法的名稱,該謂詞方法將在回呼之前被呼叫。
當使用 :if
選項時,如果謂詞方法傳回 **false**,則回呼**不會**被執行;當使用 :unless
選項時,如果謂詞方法傳回 **true**,則回呼**不會**被執行。這是最常用的選項。
class Order < ApplicationRecord
before_save :normalize_card_number, if: :paid_with_card?
end
使用這種形式的註冊,也可以註冊幾個不同的謂詞,這些謂詞應該被呼叫以檢查是否應該執行回呼。我們將在多重回呼條件章節中介紹這一點。
5.2 將 :if
和 :unless
與 Proc
一起使用
可以將 :if
和 :unless
與 Proc
物件關聯。當編寫簡短的驗證方法(通常是單行)時,此選項最為適用
class Order < ApplicationRecord
before_save :normalize_card_number,
if: ->(order) { order.paid_with_card? }
end
由於 proc 是在物件的上下文中求值的,因此也可以將其寫成
class Order < ApplicationRecord
before_save :normalize_card_number, if: -> { paid_with_card? }
end
5.3 多重回呼條件
:if
和 :unless
選項也接受 procs 或方法名稱作為符號的陣列
class Comment < ApplicationRecord
before_save :filter_content,
if: [:subject_to_parental_control?, :untrusted_author?]
end
您可以輕鬆地將 proc 包含在條件列表中
class Comment < ApplicationRecord
before_save :filter_content,
if: [:subject_to_parental_control?, -> { untrusted_author? }]
end
5.4 同時使用 :if
和 :unless
回呼可以在同一個宣告中混合使用 :if
和 :unless
class Comment < ApplicationRecord
before_save :filter_content,
if: -> { forum.parental_control? },
unless: -> { author.trusted? }
end
只有當所有 :if
條件都評估為 true
,且沒有任何 :unless
條件評估為 true
時,回呼才會執行。
6 跳過回呼
如同驗證一樣,也可以透過使用下列方法來跳過回呼
decrement!
decrement_counter
delete
delete_all
delete_by
increment!
increment_counter
insert
insert!
insert_all
insert_all!
touch_all
update_column
update_columns
update_all
update_counters
upsert
upsert_all
讓我們考慮一個 User
模型,其中 before_save
回呼會記錄使用者電子郵件地址的任何變更
class User < ApplicationRecord
before_save :log_email_change
private
def log_email_change
if email_changed?
Rails.logger.info("Email changed from #{email_was} to #{email}")
end
end
end
現在,假設有一種情況,您想要更新使用者的電子郵件地址,而不觸發 before_save
回呼來記錄電子郵件變更。您可以為此目的使用 update_columns
方法
irb> user = User.find(1)
irb> user.update_columns(email: 'new_email@example.com')
上述程式碼將會更新使用者的電子郵件地址,而不會觸發 before_save
回呼。
這些方法應謹慎使用,因為回呼中可能存在重要的業務規則和應用程式邏輯,而您不想繞過這些規則和邏輯。在不了解潛在影響的情況下繞過它們可能會導致資料無效。
7 抑制回呼
在某些情況下,您可能需要暫時阻止在您的 Rails 應用程式中執行某些回呼。當您想要在某些操作期間跳過特定動作,而不會永久停用回呼時,這會很有用。
Rails 提供了一種使用 ActiveRecord::Suppressor
模組來抑制回呼的機制。透過使用此模組,您可以包裝想要抑制回呼的程式碼區塊,確保它們在該特定操作期間不會被執行。
讓我們考慮這樣一個情境,我們有一個 User
模型,其中有一個回呼會在新使用者註冊後向他們發送歡迎電子郵件。但是,可能會有這樣的情況,我們想要建立一個使用者而不發送歡迎電子郵件,例如在用測試資料填充資料庫期間。
class User < ApplicationRecord
after_create :send_welcome_email
def send_welcome_email
puts "Welcome email sent to #{self.email}"
end
end
在這個範例中,每次建立新使用者時,after_create
回呼都會觸發 send_welcome_email
方法。
若要建立使用者而不發送歡迎電子郵件,我們可以如下使用 ActiveRecord::Suppressor
模組
User.suppress do
User.create(name: "Jane", email: "jane@example.com")
end
在上面的程式碼中,User.suppress
區塊確保在建立「Jane」使用者期間,不會執行 send_welcome_email
回呼,這讓我們可以在不發送歡迎電子郵件的情況下建立使用者。
使用 Active Record 抑制器雖然可能有利於選擇性地控制回呼執行,但可能會引入複雜性和非預期的行為。抑制回呼可能會模糊您的應用程式的預期流程,導致難以理解和維護程式碼庫。請仔細考慮抑制回呼的影響,確保詳盡的文件和周全的測試,以減輕非預期副作用、效能問題和測試失敗的風險。
8 停止執行
當您開始為您的模型註冊新的回呼時,它們將會被排隊等待執行。此佇列將包含您模型的所有驗證、已註冊的回呼以及要執行的資料庫操作。
整個回呼鏈都包裝在一個交易中。如果任何回呼引發例外,則執行鏈將被停止並發出**回滾**,並且該錯誤將被重新引發。
class Product < ActiveRecord::Base
before_validation do
raise "Price can't be negative" if total_price < 0
end
end
Product.create # raises "Price can't be negative"
這會意外地破壞不期望像 create
和 save
這樣的方法引發例外的程式碼。
如果在回呼鏈中發生例外,Rails 將會重新引發它,除非它是 ActiveRecord::Rollback
或 ActiveRecord::RecordInvalid
例外。相反地,您應該使用 throw :abort
來有意地停止鏈。如果任何回呼擲回 :abort
,則程序將被中止且 create
將傳回 false。
class Product < ActiveRecord::Base
before_validation do
throw :abort if total_price < 0
end
end
Product.create # => false
但是,當呼叫 create!
時,它將引發 ActiveRecord::RecordNotSaved
。此例外表示由於回呼的中斷而未儲存記錄。
User.create! # => raises an ActiveRecord::RecordNotSaved
當在任何銷毀回呼中呼叫 throw :abort
時,destroy
將傳回 false
class User < ActiveRecord::Base
before_destroy do
throw :abort if still_active?
end
end
User.first.destroy # => false
但是,當呼叫 destroy!
時,它將引發 ActiveRecord::RecordNotDestroyed
。
User.first.destroy! # => raises an ActiveRecord::RecordNotDestroyed
9 關聯回呼
關聯回呼與一般回呼類似,但它們是由關聯集合的生命週期中的事件觸發的。有四種可用的關聯回呼
before_add
after_add
before_remove
after_remove
您可以透過向關聯新增選項來定義關聯回呼。
假設您有一個範例,其中一位作者可以有多本書。但是,在將書添加到作者的集合之前,您想要確保作者沒有達到他們的書籍上限。您可以透過新增一個 before_add
回呼來檢查上限來完成此操作。
class Author < ApplicationRecord
has_many :books, before_add: :check_limit
private
def check_limit(_book)
if books.count >= 5
errors.add(:base, "Cannot add more than 5 books for this author")
throw(:abort)
end
end
end
如果 before_add
回呼擲回 :abort
,則該物件不會被添加到集合中。
有時您可能想要對關聯的物件執行多個動作。在這種情況下,您可以透過將它們作為陣列傳遞來將回呼堆疊在單一事件上。此外,Rails 會將正在新增或移除的物件傳遞給您使用的回呼。
class Author < ApplicationRecord
has_many :books, before_add: [:check_limit, :calculate_shipping_charges]
def check_limit(_book)
if books.count >= 5
errors.add(:base, "Cannot add more than 5 books for this author")
throw(:abort)
end
end
def calculate_shipping_charges(book)
weight_in_pounds = book.weight_in_pounds || 1
shipping_charges = weight_in_pounds * 2
shipping_charges
end
end
同樣地,如果 before_remove
回呼擲回 :abort
,則該物件不會從集合中移除。
這些回呼僅在透過關聯集合新增或移除關聯物件時才會被呼叫。
# Triggers `before_add` callback
author.books << book
author.books = [book, book2]
# Does not trigger the `before_add` callback
book.update(author_id: 1)
10 串聯關聯回呼
當關聯的物件變更時,可以執行回呼。它們透過模型關聯運作,透過這種方式,生命週期事件可以串聯到關聯上並觸發回呼。
假設一個範例,其中一個使用者有多篇文章。如果使用者被銷毀,則應該銷毀使用者的文章。讓我們透過與 Article
模型的關聯向 User
模型新增一個 after_destroy
回呼
class User < ApplicationRecord
has_many :articles, dependent: :destroy
end
class Article < ApplicationRecord
after_destroy :log_destroy_action
def log_destroy_action
Rails.logger.info("Article destroyed")
end
end
irb> user = User.first
=> #<User id: 1>
irb> user.articles.create!
=> #<Article id: 1, user_id: 1>
irb> user.destroy
Article destroyed
=> #<User id: 1>
當使用 before_destroy
回呼時,它應該放置在 dependent: :destroy
關聯之前(或使用 prepend: true
選項),以確保它們在記錄被 dependent: :destroy
刪除之前執行。
11 交易回呼
11.1 after_commit
和 after_rollback
資料庫交易完成後,會觸發另外兩個回呼函式:after_commit
和 after_rollback
。這些回呼函式與 after_save
回呼函式非常相似,但它們只有在資料庫變更被提交 (commit) 或回滾 (rollback) 後才會執行。當您的 Active Record 模型需要與非資料庫交易一部分的外部系統互動時,它們最為有用。
考慮一個 PictureFile
模型,它需要在對應的記錄被銷毀後刪除檔案。
class PictureFile < ApplicationRecord
after_destroy :delete_picture_file_from_disk
def delete_picture_file_from_disk
if File.exist?(filepath)
File.delete(filepath)
end
end
end
如果在呼叫 after_destroy
回呼函式後發生任何異常,並且交易回滾,那麼檔案將會被刪除,而模型將會處於不一致的狀態。例如,假設以下程式碼中的 picture_file_2
無效,並且 save!
方法引發錯誤。
PictureFile.transaction do
picture_file_1.destroy
picture_file_2.save!
end
透過使用 after_commit
回呼函式,我們可以處理這種情況。
class PictureFile < ApplicationRecord
after_commit :delete_picture_file_from_disk, on: :destroy
def delete_picture_file_from_disk
if File.exist?(filepath)
File.delete(filepath)
end
end
end
:on
選項指定回呼函式將在何時觸發。如果您不提供 :on
選項,回呼函式將在每個生命週期事件中觸發。 閱讀更多關於 :on
的資訊。
當交易完成時,會為該交易中建立、更新或銷毀的所有模型呼叫 after_commit
或 after_rollback
回呼函式。然而,如果其中一個回呼函式中引發異常,該異常將會向上冒泡,並且任何剩餘的 after_commit
或 after_rollback
方法將不會被執行。
class User < ActiveRecord::Base
after_commit { raise "Intentional Error" }
after_commit {
# This won't get called because the previous after_commit raises an exception
Rails.logger.info("This will not be logged")
}
end
如果您的回呼函式程式碼引發異常,您需要捕獲它並在回呼函式內處理它,以便允許其他回呼函式執行。
after_commit
與 after_save
、after_update
和 after_destroy
提供的保證非常不同。例如,如果 after_save
中發生異常,交易將會回滾,並且資料將不會被持久化。
class User < ActiveRecord::Base
after_save do
# If this fails the user won't be saved.
EventLog.create!(event: "user_saved")
end
end
然而,在 after_commit
期間,資料已經被持久化到資料庫,因此任何異常都不會再回滾任何內容。
class User < ActiveRecord::Base
after_commit do
# If this fails the user was already saved.
EventLog.create!(event: "user_saved")
end
end
在 after_commit
或 after_rollback
回呼函式內執行的程式碼本身並未包含在交易中。
在單一交易的上下文中,如果您在資料庫中表示相同的記錄,則 after_commit
和 after_rollback
回呼函式中存在一個至關重要的行為需要注意。這些回呼函式僅針對在交易中變更的特定記錄的第一個物件觸發。其他載入的物件,即使表示相同的資料庫記錄,也不會觸發它們各自的 after_commit
或 after_rollback
回呼函式。
class User < ApplicationRecord
after_commit :log_user_saved_to_db, on: :update
private
def log_user_saved_to_db
Rails.logger.info("User was saved to database")
end
end
irb> user = User.create
irb> User.transaction { user.save; user.save }
# User was saved to database
這種細微的行為在您期望與相同資料庫記錄關聯的每個物件獨立執行回呼函式的情況下,尤其具有影響力。它會影響回呼函式序列的流程和可預測性,導致交易後應用程式邏輯中可能出現不一致的情況。
11.2 after_commit
的別名
僅在建立、更新或刪除時使用 after_commit
回呼函式是很常見的。有時您可能也想要對 create
和 update
都使用單一的回呼函式。以下是一些常用於這些操作的別名:
讓我們來看一些範例:
不要像下面這樣使用帶有 on
選項的 after_commit
來進行銷毀:
class PictureFile < ApplicationRecord
after_commit :delete_picture_file_from_disk, on: :destroy
def delete_picture_file_from_disk
if File.exist?(filepath)
File.delete(filepath)
end
end
end
您可以改用 after_destroy_commit
。
class PictureFile < ApplicationRecord
after_destroy_commit :delete_picture_file_from_disk
def delete_picture_file_from_disk
if File.exist?(filepath)
File.delete(filepath)
end
end
end
after_create_commit
和 after_update_commit
也適用相同的情況。
但是,如果您對同一個方法名稱使用 after_create_commit
和 after_update_commit
回呼函式,則只會讓最後定義的回呼函式生效,因為它們內部都別名為 after_commit
,這會覆蓋先前定義的具有相同方法名稱的回呼函式。
class User < ApplicationRecord
after_create_commit :log_user_saved_to_db
after_update_commit :log_user_saved_to_db
private
def log_user_saved_to_db
# This only gets called once
Rails.logger.info("User was saved to database")
end
end
irb> user = User.create # prints nothing
irb> user.save # updating @user
User was saved to database
在這種情況下,最好改用 after_save_commit
,它是對建立和更新都使用 after_commit
回呼函式的別名。
class User < ApplicationRecord
after_save_commit :log_user_saved_to_db
private
def log_user_saved_to_db
Rails.logger.info("User was saved to database")
end
end
irb> user = User.create # creating a User
User was saved to database
irb> user.save # updating user
User was saved to database
11.3 交易回呼函式排序
預設情況下(從 Rails 7.1 開始),交易回呼函式將按照它們被定義的順序執行。
class User < ActiveRecord::Base
after_commit { Rails.logger.info("this gets called first") }
after_commit { Rails.logger.info("this gets called second") }
end
然而,在較早版本的 Rails 中,當定義多個交易性的 after_
回呼函式(after_commit
、after_rollback
等)時,回呼函式的執行順序是相反的。
如果由於某些原因您仍然希望它們以相反的順序執行,您可以將以下設定設定為 false
。回呼函式將會以相反的順序執行。請參閱 Active Record 組態選項 以了解更多詳細資訊。
config.active_record.run_after_transaction_callbacks_in_order_defined = false
這也適用於所有 after_*_commit
變體,例如 after_destroy_commit
。
12 回呼函式物件
有時,您將編寫的回呼函式方法會非常有用,可以被其他模型重複使用。Active Record 可以建立封裝回呼函式方法的類別,以便它們可以被重複使用。
以下是一個 after_commit
回呼函式類別的範例,用於處理檔案系統中丟棄檔案的清理工作。此行為對於我們的 PictureFile
模型可能並非獨有,我們可能想要共享它,因此將其封裝到一個單獨的類別中是個好主意。這將使測試該行為並更改它變得更加容易。
class FileDestroyerCallback
def after_commit(file)
if File.exist?(file.filepath)
File.delete(file.filepath)
end
end
end
當像上面這樣在類別內部宣告時,回呼函式方法會將模型物件作為參數接收。這將適用於任何使用該類別的模型,如下所示:
class PictureFile < ApplicationRecord
after_commit FileDestroyerCallback.new
end
請注意,我們需要實例化一個新的 FileDestroyerCallback
物件,因為我們將回呼函式宣告為實例方法。如果回呼函式使用了已實例化物件的狀態,這將特別有用。然而,通常將回呼函式宣告為類別方法會更有意義:
class FileDestroyerCallback
def self.after_commit(file)
if File.exist?(file.filepath)
File.delete(file.filepath)
end
end
end
當以這種方式宣告回呼函式方法時,將不需要在我們的模型中實例化一個新的 FileDestroyerCallback
物件。
class PictureFile < ApplicationRecord
after_commit FileDestroyerCallback
end
您可以在回呼函式物件中宣告任意多個回呼函式。