3

我正在为我的测试框架使用 FactoryGirl 和 Rspec。我有一个模型,上面有 validates_presence_of 验证。基本的 Rspec 框架包括一个测试:

describe "with invalid params" do
  it "assigns a newly created but unsaved disease as @disease" do
    # Trigger the behavior that occurs when invalid params are submitted
    Disease.any_instance.stub(:save).and_return(false)
    post :create, :disease => {}
    assigns(:disease).should be_a_new(Disease)
  end
end

编辑: diseases_controller.rb

 # POST /diseases
 # POST /diseases.xml
 def create
   @disease = Disease.new(disease_params)

   respond_to do |format|
     if @disease.save
       format.html { redirect_to(@disease, :notice => 'Disease was successfully created.') }
       format.xml  { render :xml => @disease, :status => :created, :location => @disease }
     else
       format.html { render :action => "new" }
       format.xml  { render :xml => @disease.errors, :status => :unprocessable_entity }
     end
   end
 end

 private
 def disease_params
   params.require(:disease).permit(:name, :omim_id, :description)
 end

此测试不适用于我的应用程序的工作方式。它不会在不正确的帖子上返回新疾病,而是返回错误:

Required parameter missing: disease

问题 #1:我不知道如何查看 Rspec 返回的内容。在这种response情况下似乎没有创建对象?打印assigns(:disease)似乎不包含任何内容。我通过将 cURL 帖子提交到带有空数据的正确 URL 收到了我之前发布的错误消息(这是 rspect 帖子应该做的),但我不知道如何获取 Rspec 从那里收到的信息发表声明。

问题 #2:我如何正确测试应该发生的响应 - 它收到一条错误消息,指出缺少必需的参数?

编辑:所以我的控制器似乎表明它应该呈现一种新的疾病,但测试失败。如果我尝试在网站上提交缺少所需参数的疾病,那么它会发出一个快速通知,上面写着“名称不能为空”。我不确定如何在 rspec 中进行测试。

编辑#2:包括上面的代码。strong_parametersdisease_params 根据使用gem的建议在控制器底部定义。

谢谢!

4

1 回答 1

3

要回答问题 1(“我不知道如何查看 Rspec 所返回的内容”)...您可以在规范中(即在it块内)使用“puts”语句。例如,您可以尝试这样的事情:

describe "with invalid params" do
  it "assigns a newly created but unsaved disease as @disease" do
    # Trigger the behavior that occurs when invalid params are submitted
    Disease.any_instance.stub(:save).and_return(false)
    post :create, :disease => {}
    puts :disease
    assigns(:disease).should be_a_new(Disease)
  end
end

这是一个有价值的调试工具。当 RSpec 运行时,输出将在终端中的 .s 和 Fs 中。

对于问题 2,我不太确定您在寻找什么,但我不知道您需要(或应该)测试无效疾病是否被指定为 @disease。我倾向于以以下样式对控制器规范进行模式化(取自Everyday Rails Testing with RSpec,这是我学习如何编写控制器规范的地方)。

POST 创建规范示例:

context "with invalid attributes" do
  it "does not save the new contact" do
    expect{
      post :create, contact: Factory.attributes_for(:invalid_contact)
    }.to_not change(Contact,:count)
  end

  it "re-renders the new method" do
    post :create, contact: Factory.attributes_for(:invalid_contact)
    response.should render_template :new
  end
end 
...

您可能有理由更彻底地测试我不知道的控制器方法。在这种情况下,请忽略我对问题 2 的回答,希望我的其他回答有用!

于 2013-04-18T00:39:13.427 回答