4

我正在使用 Capybara 1.1.2、Rails 3.1.3、rspec-rails 2.9.0 和 Ruby 1.9.3p0。

假设一个具有标准用户和 account_admin 用户的应用程序。标准用户可以创建另一个标准用户,但标准用户不能创建 account_admin 用户。

当然,UI 不会为标准用户提供创建帐户管理员的选项。但是使用 Firebug 30 秒后,用户可以重写 HTML,因此它提交一个 POST 请求来创建一个 account_admin。

如何测试我的应用程序是否可以防止这种简单的黑客攻击?

正常的标准用户测试如下所示:

context "when standard user is signed in" do

  before do
    login_as standard_user
    visit users_path       # go to index
    click_link('Add user') # click link like user would
  end

  describe "when fields are filled in" do

    let(:new_email) { "new_user@example.com" }

    before do
      fill_in "Email", with: new_email
      fill_in "Password", with: "password"
      fill_in "Password confirmation", with: "password"
      choose "Standard user" # radio button for Role
    end

    it "should create a user" do
      expect { click_button submit }.to change(User, :count).by(1)
    end

  end

end

有没有办法“欺骗”测试以获取表单上不允许的值?我尝试将单选按钮视为文本字段,但 Capybara 拒绝将其视为不存在的字段:

fill_in "Role", with: "account_admin" # doesn't work

直接修改 params 哈希也不起作用:

params[:role] = "account_admin" # doesn't work

我是否必须将其编写得更像控制器测试,并直接调用post :create

4

1 回答 1

2

Capybara 作者 jnicklas在这里确认 Capybara无法让应用程序执行 UI 中不可用的操作。他建议对控制器进行授权测试。

然而,在不使用 Capybara 语法的情况下用 RSpec 编写的请求规范确实允许直接使用RSpecRails文档中概述的 HTML 动词(和一些额外的帮助程序) 。因此,您可以使用属性散列、动词(如、、)和对象,而不是 Capybara 的fill_inclick_link指令和对象。它类似于控制器测试,但您使用 Rails 的路由根据提供的路径选择适当的控制器操作。以下是后一种技术的示例:pagegetpostpost_via_redirectresponse.body

describe "when standard user attempts to create account_admin user" do

  let(:standard_user) { FactoryGirl.create(:standard_user) }

  let(:attr) { { email: "account_admin@example.com",
                 password: "password",
                 password_confirmation: "password",
                 role: "account_admin" }
              }

  before do
    login_as standard_user
    get new_user_path
  end

  it "should not create a account_admin user" do
    lambda do
      post users_path, user: attr
    end.should_not change(User, :count)
  end

  describe "after user posts invalid create" do
    before { post_via_redirect users_path, user: attr }

    # redirect to user's profile page
    it { response.body.should have_selector('title', text: 'User Profile') }
    it { response.body.should have_selector('div.alert.alert-error', text: 'not authorized') }
  end

end  
于 2012-04-26T23:45:18.630 回答