Rails 4:`Time.now.utc.iso8601`有时在规格中偏差1秒

时间:2015-04-14 14:09:07

标签: datetime ruby-on-rails-4 utc iso

我正在使用JSON构建Rails 4 API,并以ISO格式返回updated_at属性作为UTC时区。

record.updated_at # => 2015-04-14 10:01:37 -0400 record.updated_at.utc.iso8601 # => "2015-04-14T14:01:37Z"

但是,当rspec关闭1秒时,我的updated_at规范偶尔会间歇性地失败:

# records_controller_spec.rb
RSpec.describe RecordsController do
  describe "update - PUT #update" do
    record = FactoryGirl::create(:record, value: "original")
    record_params = { value: "updated" }

    xhr :put, api_v1_record_path(record), record_params

    # Uses ActiveModelSerializer
    # json = JSON.parse(response.body)
    expect(response).to have_http_status(:ok)
    expect(json["updated_at"]).to eq(record.updated_at.utc.iso8601)
  end
end

# app/serializers/record_serializer.rb
class RecordSerializer < ActiveModel::Serializer
  attributes :id, :created_at, :updated_at, :value

  def created_at
    object.created_at.utc.iso8601
  end

  def updated_at
    object.updated_at.utc.iso8601
  end
end

# Running rspec...
Failure/Error: expect(json["updated_at"]).to eq(record.updated_at.utc.iso8601)

       expected: "2015-04-14T13:59:35Z"
            got: "2015-04-14T13:59:34Z"

       (compared using ==)

如果我再次运行规范,它会多次通过,然后随机再次失败,时间比较再次关闭1秒。

无论如何都要确保规范中的日期时间转换一致吗?

最大的问题是,如果规范恰好位于给定秒的范围内,rspec套件随机失败,则CI服务器的自动部署将随机失败。

1 个答案:

答案 0 :(得分:2)

解决方案是我没有在更新操作后重新加载对象,因此我得到了一个“脏”updated_at,并且它偶尔会失败,因为测试发生得太快了。

RSpec.describe RecordsController do
  describe "update - PUT #update" do
    record = FactoryGirl::create(:record, value: "original")              
    record_params = { value: "updated" }

    # record.updated_at => "2015-06-23 22:30:00"

    xhr :put, api_v1_record_path(record), record_params

    # record.updated_at => "2015-06-23 22:30:00"

    # SOLUTION CODE (notice timestamp updated below)
    record.reload

    # record.updated_at => "2015-06-23 22:30:01"


    # Uses ActiveModelSerializer
    # json = JSON.parse(response.body)
    expect(response).to have_http_status(:ok)
    expect(json["updated_at"]).to eq(record.updated_at.utc.iso8601)
  end
end

我发现,对于任何更改/更新记录的规范,我都必须重新加载对象以获取正确的时间戳值。我没有比这更好的一般方法。

如果某人有更清洁的解决方案,请随意发布,我会接受它。