我正在制作一个小型 Ruby 程序,但不知道如何编写模拟多个用户命令行输入的 RSpec 规范(功能本身有效)。我认为这个 StackOverflow 答案可能涵盖了离我最近的地方,但这并不是我所需要的。我将Thor用于命令行界面,但我认为这不是 Thor 中的任何问题。
该程序可以从文件或命令行读取命令,并且我已经能够成功编写测试以读取并执行它们。这是一些代码:
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
上面提到的格式如下:
支持/实用程序.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)
在各个地方使用,并且通常会重新排列这段代码,但似乎无法让我的任何存根将数据放入标准输入。我不知道我是否可以像处理命令文件一样解析我期望从命令行获得的输入集,或者我应该使用什么代码结构来解决这个问题。如果已经指定命令行应用程序的人可以加入,那就太好了。谢谢。