我正在使用活动模型序列化程序从rails控制器呈现JSON响应。
我有一个像这样的控制器动作:
def show
@foo = Foo.find(params[:id])
if @foo.user == current_user
render json: @foo, serializer: FooSerializer
else
render json: @foo, serializer: TrimmedFooSerializer
end
end
我希望能够测试在我的Rspec控制器测试中使用了哪个序列化程序。是否可以从测试中获得对序列化器的引用?
更新
我不认为这是正确使用序列化程序。我现在在序列化程序本身中有逻辑来有条件地包含属性。控制器不应该真正关心使用哪个序列化器。
答案 0 :(得分:14)
自从有人回复以来已经有一段时间了但是如果未来的googlers发现这一点,我喜欢以下方法:
RSpec::Matchers.define :serialize_object do |object|
match do |response|
@serializer_klass.new(object).to_json == response.body
end
chain :with do |serializer_klass|
@serializer_klass = serializer_klass
end
end
然后在你的测试中你可以做到:
expect(response).to serialize_object(claim).with(ClaimSerializer)
请注意,我没有调用匹配器序列化'因为shoulda已经定义了该名称的匹配器。
答案 1 :(得分:3)
你可以试试这个。我假设您正在使用factory_girl
。您可以通过为current_user
describe "show" do
it "should use FooSerializer to serialize if the logged in user is the same as params user" do
user = FactoryGirl.create(:user)
controller.stub(:current_user).and_return(user)
FooSerializer.any_instance.should_receive(:to_json).and_return("{\"key\": \"value\"")
get :show, :id => user.id
response.should be_success
end
end
答案 2 :(得分:1)
为了进一步详细说明Dan Draper's回答,我发现在使用JsonApi适配器时,这是可行的方法:
RSpec::Matchers.define :serialize_resource do |object|
match do |response|
serialized_json(object) == response.body
end
chain :with do |serializer_klass|
@serializer_klass = serializer_klass
end
failure_message do |response|
"expected response body #{serialized_json(object)}, got #{response.body}"
end
def serialized_json(object)
serializer = @serializer_klass.new(object)
adapted = ActiveModelSerializers::Adapter::JsonApi.new(serializer)
adapted.serializable_hash.to_json
end
end
答案 3 :(得分:1)
我接受了Knightstick上面所做的并稍微改进了一下,例如,错误消息以及添加处理单个资源或资源集合的能力(我使用的是active_model_serializers gem,版本0.10.0)。
RSpec::Matchers.define :serialize_resource do |resource|
match do |response|
serialized_json(resource) == response.body
end
chain :with do |serializer_klass|
@serializer_klass = serializer_klass
end
failure_message do |response|
"expected response body #{serialized_json(resource).inspect}, got #{response.body.inspect}"
end
def serialized_json(resource)
options = if resource.is_a?(Array)
{ each_serializer: @serializer_klass }
else
{ serializer: @serializer_klass }
end
serializable = ActiveModelSerializers::SerializableResource.new(resource, options)
serializable.serializable_hash.to_json
end
end