如何在 rspec 测试中定义可由辅助函数访问的简单全局变量

问题描述 投票:0回答:4

我不知道如何在 rspec 测试中使用简单的全局变量。这似乎是一个微不足道的功能,但经过多次研究后我还没有找到解决方案。

我想要一个可以在整个主规范文件和辅助规范文件中的函数中访问/更改的变量。

这是我到目前为止所拥有的:

require_relative 'spec_helper.rb'
require_relative 'helpers.rb'
let(:concept0) { '' }

describe 'ICE Testing' do
    describe 'step1' do
    it "Populates suggestions correctly" do
         concept0 = "tg"
         selectConcept() #in helper file. Sets concept0 to "First Concept"
         puts concept0  #echos tg?? Should echo "First Concept"
    end
 end

.

 #helpers.rb
 def selectConcept
      concept0 = "First Concept"
 end

有人可以指出我缺少什么或者使用“let”是否完全是错误的方法?

ruby rspec tdd capybara
4个回答
13
投票

考虑使用带有实例变量的全局 before 钩子:http://www.rubydoc.info/github/rspec/rspec-core/RSpec/Core/Configuration

在您的spec_helper.rb 文件中:

RSpec.configure do |config|
  config.before(:example) { @concept0 = 'value' }
end

然后 @concept0 将在您的示例中设置(my_example_spec.rb):

RSpec.describe MyExample do
  it { expect(@concept0).to eql('value') } # This code will pass
end

8
投票

事实证明,最简单的方法是使用 $ 符号来表示全局变量。

参见在黄瓜中保留变量?


3
投票

我建议您在帮助程序文件中定义变量,它可以被其他帮助程序代码使用,并且可以从您的测试中访问。

对于我的项目,我想将所有设置内容保留在

spec_helper.rb
中,并使用这些设置以及测试中的任何自定义变量和方法。以下内容是根据 RSpec-core 3.12 文档修改的,不是 Rails 特定的。

RSpec.configure
创建一个名为
my_variable
的新设置,并为其指定一个值,如下所示:

# spec/spec_helper.rb

RSpec.configure do |config|
  config.add_setting :my_variable
  config.my_variable = "Value of my_variable"
end

从测试中将设置作为新的只读属性访问

RSpec.configuration

# spec/my_spec.rb

RSpec.describe(MyModule) do
  it "creates an instance of something" do
    my_instance = MyModule::MyClass.new(RSpec.configuration.my_variable)
  end
end

0
投票

这是一个旧线程,但我今天有这个问题。我只需要定义一个长字符串来删除多个文件中的命令:

# in each spec file that needed it
let(:date_check) do
   <<~PWSH.strip
   # lots of powershell code
   PWSH
end

# in any context in that file (or a shared context)
before(:each) do
  stub_command(date_check).and_return(false)
end

Searched、Stack Overflow 等都发现了这一点:注意变量的用法根本没有改变! (假设所有规格

require 'spec_helper'

# in spec_helper.rb
def date_check 
  <<~PWSH.strip
  # lots of powershell code
  PWSH
end

# in any context in any spec file
before(:each) do
  stub_command(date_check).and_return(false)
end
© www.soinside.com 2019 - 2024. All rights reserved.