0

我在 Rails 中有一对多的关系:

class User < ActiveRecord::Base
  has_many :activities, :order => "added_at DESC"


class Activity < ActiveRecord::Base
  belongs_to :user

我在活动中有一个方法:

def self.test_message(user, message)
  user.activities << Activity.create do |activity|
    activity.message = message
    activity.added_at = Time.now
  end    
end

和以下单元测试:

require 'test_helper'

class ActivityTest < ActiveSupport::TestCase

  def test_test_message
    #From fixture
    alice = User.find_by_name("alice")
    assert_equal 0, alice.activities.count

    Activity.test_message(alice, "Hello")
    assert_equal 1, alice.activities.count

    Activity.test_message(alice, "Goodbye")
    assert_equal 2, alice.activities.count
    assert_equal "Hello", alice.activities.find(:first).message

    #The following line fails with: Goodbye expected but was Hello
    assert_equal "Goodbye", alice.activities.find(:last).message,
    acts = alice.activities
    assert_equal 2, acts.count
    assert_equal "Goodbye", acts[1].message
  end
end

在指示的行上失败了,但我不知道为什么。

此外,在使用开发环境时使用 activities.find(:last) 有效,但仅在测试环境下失败。我已经删除并重建了数据库。

4

1 回答 1

0

这似乎是在您的关联声明中使用 :order 标志的问题。这篇文章并不是您所遇到的确切情况,但它一般建议您反对这种做法:

http://weblog.jamisbuck.org/2007/1/18/activerecord-association-scoping-pitfalls

(我不确定这些建议是否仍然相关,但在进行以下更改之前,我在 Rails 2.3.3 中看到了与您相同的行为。)

我在本地设置了您的应用程序,并尝试通过添加来应用评论 #4 中的技术

def Activity.by_added_at
  find :all, :order => 'added_at DESC'
end

并将测试中的 find(:first) 和 find(:last) 更改为 .by_added_at.first 和 .by_added_at.last,这会返回更稳定的结果。

另一个建议——你的测试现在相当大。您可以考虑将其拆分为多个测试,每个测试最多测试一个或两个条件。

于 2009-10-01T16:11:05.453 回答