要检查buyer.save是否会失败,请使用buyer.valid?

def create
  @buyer = Buyer.new(params[:buyer])
  if @buyer.valid?
    my_update_database_method
    @buyer.save
  else
    ...
  end
end


如何检查update_attributes是否会失败?

def update
  @buyer = Buyer.find(params[:id])
  if <what should be here?>
    my_update_database_method
    @buyer.update_attributes(params[:buyer])
  else
    ...
  end
end

最佳答案

如果未完成,则返回false,与save相同。如果您愿意,save!会抛出异常。我不确定是否有update_attributes!,但这是合乎逻辑的。
做就是了

if @foo.update_attributes(params)
  # life is good
else
  # something is wrong
end

http://apidock.com/rails/ActiveRecord/Base/update_attributes
编辑
然后,您需要编写此方法。如果要预先检查参数卫生状况。
def params_are_sanitary?
  # return true if and only if all our checks are met
  # else return false
end

编辑2
或者,根据您的约束
if Foo.new(params).valid? # Only works on Creates, not Updates
  @foo.update_attributes(params)
else
  # it won't be valid.
end

07-26 09:36