我正在做一个小Ruby程序并不能弄清楚如何编写模拟多个用户的命令行输入(作品本身的功能)的RSpec规格。 我觉得这个StackOverflow的答案可能包括地面最接近我在哪里,但它并不完全符合我的需要。 我使用雷神的命令行界面,但我不认为这是在托尔任何问题。
该程序可以在命令或者从文件或命令行读取,我已经能够成功地编写测试在执行他们阅读。 下面是一些代码:
cli.rb
class CLI < Thor
# ...
method_option :filename, aliases: ['-f'],
desc: "name of the file containing instructions",
banner: 'FILE'
desc "execute commands", "takes actions as per commands"
def execute
thing = Thing.new
instruction_set do |instructions|
instructions.each do |instruction|
command, args = parse_instruction(instruction) # private helper method
if valid_command?(command, args) # private helper method
response = thing.send(command, *args)
puts format(response) if response
end
end
end
end
# ...
no_tasks do
def instruction_set
if options[:filename]
yield File.readlines(options[:filename]).map { |a| a.chomp }
else
puts usage
print "> "
while line = gets
break if line =~ /EXIT/i
yield [line]
print "> "
end
end
end
# ..
end
我已经成功地测试了执行包含在使用此代码文件中的命令:
投机/ cli_spec.rb
describe CLI do
let(:cli) { CLI.new }
subject { cli }
describe "executing instructions from a file" do
let(:default_file) { "instructions.txt" }
let(:output) { capture(:stdout) { cli.execute } }
context "containing valid test data" do
valid_test_data.each do |data|
expected_output = data[:output]
it "should parse the file contents and output a result" do
cli.stub(:options) { { filename: default_file } } # Thor options hash
File.stub(:readlines).with(default_file) do
StringIO.new(data[:input]).map { |a| a.strip.chomp }
end
output.should == expected_output
end
end
end
end
# ...
end
和valid_test_data
以上提及是以下形式:
支持/ utilities.rb
def valid_test_data
[
{
input: "C1 ARGS\r
C2\r
C3\r
C4",
output: "OUTPUT\n"
}
# ...
]
end
我想现在要做的是完全一样的事情,但不是从“文件”读取每个命令并执行它,我要在以某种方式模拟用户输入stdin
。 下面的代码是完全错误的 ,但我希望它可以传达我想要去的方向。
投机/ cli_spec.rb
# ...
# !!This code is wrong and doesn't work and needs rewriting!!
describe "executing instructions from the command line" do
let(:output) { capture(:stdout) { cli.execute } }
context "with valid commands" do
valid_test_data.each do |data|
let(:expected_output) { data[:output] }
let(:commands) { StringIO.new(data[:input]).map { |a| a.strip } }
it "should process the commands and output the results" do
commands.each do |command|
cli.stub!(:gets) { command }
if command == :report
STDOUT.should_receive(:puts).with(expected_output)
else
STDOUT.should_receive(:puts).with("> ")
end
end
output.should include(expected_output)
end
end
end
end
我已经尝试使用cli.stub(:puts)
在不同的地方,一般清理周围有很多这样的代码,但似乎无法得到任何我的存根把数据标准输入。 我不知道我是否可以解析的命令行中输入集我期望在相同的方式,我用命令的文件,或者什么样的代码结构,我应该使用来解决这个问题做。 如果有人谁SPEC-ED了命令行应用程序可以附和,那将是巨大的。 谢谢。