为什么ActiveRecord的自动保存不能用于我的关联?

时间:2013-02-21 21:24:02

标签: ruby-on-rails ruby callback rails-activerecord

我有一个看起来像这样的ActiveRecord类。

class Foo
  belongs_to :bar, autosave: true
  before_save :modify_bar
  ...
end

如果我进行了一些日志记录,我会看到bar正在被修改,但其更改未保存。怎么了?

2 个答案:

答案 0 :(得分:24)

这里的问题是autosave: true只是设置了一个正常的before_save回调,并且before_save回调按照它们创建的顺序运行。**

因此,它会尝试保存bar,其中没有任何更改,然后它会调用modify_bar

解决方案是确保modify_bar回调在自动保存之前运行。

一种方法是使用prepend选项。

class Foo
  belongs_to :bar, autosave: true
  before_save :modify_bar, prepend: true
  ...
end

另一种方法是将before_save语句放在belongs_to之前。

另一种方法是在bar方法的末尾显式保存modify_bar,而根本不使用autosave选项。

感谢Danny Burkes的helpful blog post

**此外,它们会在所有after_validation回调之后和任何before_create回调之前运行 - see the docs


更新

这是检查此类回调顺序的一种方法。

  describe "sequence of callbacks" do

    let(:sequence_checker) { SequenceChecker.new }

    before :each do
      foo.stub(:bar).and_return(sequence_checker)
    end

    it "modifies bar before saving it" do
      # Run the before_save callbacks and halt before actually saving
      foo.run_callbacks(:save) { false }
      # Test one of the following
      #
      # If only these methods should have been called
      expect(sequence_checker.called_methods).to eq(%w[modify save])
      # If there may be other methods called in between
      expect(sequence_checker.received_in_order?('modify', 'save')).to be_true
    end

  end

使用此支持类:

class SequenceChecker
  attr_accessor :called_methods

  def initialize
    self.called_methods = []
  end

  def method_missing(method_name, *args)
    called_methods << method_name.to_s
  end

  def received_in_order?(*expected_methods)
    expected_methods.map!(&:to_s)
    called_methods & expected_methods == expected_methods
  end

end

答案 1 :(得分:1)

上述答案(显然)是您的解决方案。但是:

我使用:autosave很好,但我不认为更改外部关联是回调的工作。我在谈论你的:modify_bar。正如出色地解释in this post 一样,我更喜欢使用另一个对象来同时保存多个模型。当事情变得更复杂并且使测试更容易时,它确实简化了你的生活。

在这种情况下,这可以在控制器或服务对象中完成。