如何在控制器中测试实例变量的可用性?

时间:2014-02-19 09:03:31

标签: ruby-on-rails functional-testing

我正在使用decent_exposure来呈现一些instance_variables:

expose(:my_custom_variable) { current_user.my_variable }

所以现在这个变量在我的控制器中可以作为my_custom_variable访问。

但我想通过我的测试确保它在那里。

assert_not_nil my_custom_variable

哪个不起作用。如果我在我的测试中放置调试器,则无法访问此变量。我已经尝试了以下所有......

@controller.instance_variable_get("@my_custom_variable")
@controller.instance_variable_get("my_custom_variable")
@controller.instance_variable_get(:my_custom_variable)
@controller.assigns(:@my_custom_variable)
assigns(:my_custom_variable)
@controller.get_instance(:my_custom_variable)
@controller.get_instance("my_custom_variable")
@controller.get_instance("@my_custom_variable")

这些都不起作用..有什么想法吗?

注意:我没有使用rspec。这是内置的导轨功能测试。

1 个答案:

答案 0 :(得分:2)

底部的decent_exposure页面上有一些例子。

测试

控制器测试仍然非常简单。转变是你现在设定方法而不是实例变量的期望。使用RSpec,这主要意味着避免分配和分配。

describe CompaniesController do
  describe "GET index" do

    # this...
    it "assigns @companies" do
      company = Company.create
      get :index
      assigns(:companies).should eq([company])
    end

    # becomes this
    it "exposes companies" do
      company = Company.create
      get :index
      controller.companies.should eq([company])
    end
  end
end

查看规范遵循类似的模式:

describe "people/index.html.erb" do

  # this...
  it "lists people" do
    assign(:people, [ mock_model(Person, name: 'John Doe') ])
    render
    rendered.should have_content('John Doe')
  end

  # becomes this
  it "lists people" do
    view.stub(people: [ mock_model(Person, name: 'John Doe') ])
    render
    rendered.should have_content('John Doe')
  end

end