안정된 리소스를 파괴 할 때 파괴 작업을 계속하기 전에 몇 가지 사항을 보장하고 싶습니다. 기본적으로 데이터베이스가 유효하지 않은 상태가 될 수 있음을 알면 삭제 작업을 중지 할 수있는 기능을 원합니까? 삭제 작업에는 유효성 검사 콜백이 없습니다. 그렇다면 삭제 작업을 수락해야하는지 여부를 어떻게 "확인"합니까?
답변:
그런 다음 예외를 발생시킬 수 있습니다. Rails는 트랜잭션에서 삭제를 래핑하여 문제를 해결합니다.
예를 들면 :
class Booking < ActiveRecord::Base
has_many :booking_payments
....
def destroy
raise "Cannot delete booking with payments" unless booking_payments.count == 0
# ... ok, go ahead and destroy
super
end
end
또는 before_destroy 콜백을 사용할 수 있습니다. 이 콜백은 일반적으로 종속 레코드를 삭제하는 데 사용되지만 예외를 발생 시키거나 대신 오류를 추가 할 수 있습니다.
def before_destroy
return true if booking_payments.count == 0
errors.add :base, "Cannot delete booking with payments"
# or errors.add_to_base in Rails 2
false
# Rails 5
throw(:abort)
end
myBooking.destroy
이제 false myBooking.errors
를 반환하고 반환시 채워집니다.
false
의 끝에는 before_destroy
쓸모가 없습니다. 이제부터는 throw(:abort)
(@see : weblog.rubyonrails.org/2015/1/10/This-week-in-Rails/… ) 를 사용해야합니다 .
has_many :booking_payments, dependent: :restrict_with_error
참고 :
레일 3 용
class Booking < ActiveRecord::Base
before_destroy :booking_with_payments?
private
def booking_with_payments?
errors.add(:base, "Cannot delete booking with payments") unless booking_payments.count == 0
errors.blank? #return false, to not destroy the element, otherwise, it will delete.
end
has_many :booking_payments, dependent: :restrict_with_error
Rails 5로 한 작업입니다.
before_destroy do
cannot_delete_with_qrcodes
throw(:abort) if errors.present?
end
def cannot_delete_with_qrcodes
errors.add(:base, 'Cannot delete shop with qrcodes') if qrcodes.any?
end
has_many :qrcodes, dependent: :restrict_with_error
ActiveRecord 연관 has_many 및 has_one은 관련 테이블 행이 삭제시 삭제되도록하는 종속 옵션을 허용하지만 이는 일반적으로 데이터베이스가 유효하지 않은 것을 방지하기보다는 깨끗하게 유지하기위한 것입니다.
like_so
.
dependent
분리 된 레코드를 생성 할 경우 엔터티 제거를 허용하지 않는 옵션 도 있습니다 (질문과 더 관련이 있음). 예dependent: :restrict_with_error
컨트롤러의 "if"문에서 destroy 액션을 래핑 할 수 있습니다.
def destroy # in controller context
if (model.valid_destroy?)
model.destroy # if in model context, use `super`
end
end
valid_destroy는 어디 입니까? 레코드 삭제 조건이 충족되면 true를 반환하는 모델 클래스의 메서드입니다.
이와 같은 방법을 사용하면 사용자에게 삭제 옵션이 표시되는 것을 방지 할 수 있습니다. 이는 사용자가 불법 작업을 수행 할 수 없기 때문에 사용자 경험을 향상시킬 것입니다.
여기에서 코드를 사용하여 activerecord에 can_destroy 재정의를 만들었습니다 : https://gist.github.com/andhapp/1761098
class ActiveRecord::Base
def can_destroy?
self.class.reflect_on_all_associations.all? do |assoc|
assoc.options[:dependent] != :restrict || (assoc.macro == :has_one && self.send(assoc.name).nil?) || (assoc.macro == :has_many && self.send(assoc.name).empty?)
end
end
end
이것은 UI에서 삭제 버튼을 숨기거나 표시하는 것을 간단하게 만드는 추가 이점이 있습니다.
Rails 6 현재 상태
이것은 작동합니다 :
before_destroy :ensure_something, prepend: true do
throw(:abort) if errors.present?
end
private
def ensure_something
errors.add(:field, "This isn't a good idea..") if something_bad
end
validate :validate_test, on: :destroy
작동하지 않습니다 : https://github.com/rails/rails/issues/32376
throw(:abort)
실행을 취소하려면 Rails 5 가 필요하므로 : https://makandracards.com/makandra/20301-cancelling-the-activerecord-callback-chain
prepend: true
dependent: :destroy
유효성 검사가 실행되기 전에 실행되지 않도록 https://github.com/rails/rails/issues/3458 이 필요합니다 .
다른 답변과 의견에서 이것을 함께 낚시 할 수는 있지만 완전한 것은 없습니다.
참고로 많은 has_many
사람들이 고아 레코드를 생성 할 경우 레코드를 삭제하지 않도록 하는 관계를 예로 사용했습니다 . 이것은 훨씬 더 쉽게 해결할 수 있습니다.
has_many :entities, dependent: :restrict_with_error
before_destroy :handle_destroy, prepend: true; before_destroy { throw(:abort) if errors.present? }
삭제 프로세스를 즉시 종료하는 대신 다른 before_destroy 유효성 검사의 오류를 통과 할 수 있습니다.
이 수업이나 모델이 있습니다.
class Enterprise < AR::Base
has_many :products
before_destroy :enterprise_with_products?
private
def empresas_with_portafolios?
self.portafolios.empty?
end
end
class Product < AR::Base
belongs_to :enterprises
end
이제 엔터프라이즈를 삭제할 때이 프로세스는 엔터프라이즈와 관련된 제품이 있는지 확인합니다. 참고 : 먼저 유효성을 검사하려면 클래스 맨 위에 이것을 작성해야합니다.
Rails 5에서 ActiveRecord 컨텍스트 유효성 검사를 사용합니다.
class ApplicationRecord < ActiveRecord::Base
before_destroy do
throw :abort if invalid?(:destroy)
end
end
class Ticket < ApplicationRecord
validate :validate_expires_on, on: :destroy
def validate_expires_on
errors.add :expires_on if expires_on > Time.now
end
end
on: :destroy
, 볼 이 문제
나는 이것이 지원되기를 바라고 있었기 때문에 그것을 추가하기 위해 레일 문제를 열었습니다.