我有一个带有某个字段的数据库表,一旦插入数据库就不可能更新。如何告诉我的模型它不应该允许更新某个字段?
答案 0 :(得分:50)
您想使用attr_readonly
:
列为readonly的属性将用于创建新记录,但更新操作将忽略这些字段。
class Customer < ActiveRecord::Base
attr_readonly :your_field_name
end
答案 1 :(得分:2)
在插入时,该字段总是按照定义“正确”(即准确表示现实)?
在第一个(以及仅在您的计划中)时间进入该字段时,没有用户犯过错误?
答案 2 :(得分:0)
这是我针对类似问题的相关解决方案-我们有一些字段,希望用户能够设置自己,我们在创建记录时不需要它们,但是我们不希望一旦更改它们就可以对其进行更改已设置。
validate :forbid_changing_some_field, on: :update
def forbid_changing_some_field
return unless some_field_changed?
return if some_field_was.nil?
self.some_field = some_field_was
errors.add(:some_field, 'can not be changed!')
end
让我惊讶的是update_attribute
仍然有效,它绕过了验证。没什么大不了的,因为实际上对记录的更新是批量分配的-但我在测试中对此进行了明确说明。这是一些测试。
describe 'forbids changing some field once set' do
let(:initial_some_field) { 'initial some field value' }
it 'defaults as nil' do
expect(record.some_field).to be nil
end
it 'can be set' do
expect {
record.update_attribute(:some_field, initial_some_field)
}.to change {
record.some_field
}.from(nil).to(initial_some_field)
end
describe 'once it is set' do
before do
record.update_attribute(:some_field, initial_some_field)
end
it 'makes the record invalid if changed' do
record.some_field = 'new value'
expect(record).not_to be_valid
end
it 'does not change in mass update' do
expect {
record.update_attributes(some_field: 'new value')
}.not_to change {
record.some_field
}.from(initial_some_field)
end
it 'DOES change in update_attribute!! (skips validations' do
expect {
record.update_attribute(:some_field, 'other new value')
}.to change {
record.some_field
}.from(initial_some_field).to('other new value')
end
end
end