我正在使用循环来加载和执行目录中的Ruby脚本。目前脚本将加载脚本,但是如果对它的唯一引用是字符串形式的文件名,我该如何执行呢?
Dir.foreach('tests') do |item|
next if item == '.' or item == '..' #removes extra "." or ".."
load dirname + '/' + item #successfully loads the script
if item # the scripts return true/false
numberPassed+=1
else
numberFailed+=1
failed.push(item)
end
numberTested+=1
end
出于某种原因,我获得了2次通过,但它实际上从未运行过“item”代表的脚本。
编辑:以下是需要加载的脚本示例。他们都遵循这种格式:
require "watir-webdriver"
class TestScript
puts 'Testing etc etc"...'
browser = Watir::Browser.new :ie
browser.goto "webpage.htm"
browser.text_field(:name => "j_username").set "username"
browser.text_field(:name => "j_password").set "password"
browser.link(:id, "watSubmitLogin").click
browser.wait
browser.link(:id=> 'watCommDir').fire_event("onmouseover")
browser.link(:id=> 'watAddFi').click
browser.wait
...
browser.link(:href, "javascript: submitForm();").click
browser.wait
if browser.text.include?( 'The user already Exists')
puts 'Passed'
browser.close
return true
else
puts 'Failed'
browser.close
return false
end
end
我需要以某种方式告诉主脚本子脚本是通过还是失败,这样我就可以跟踪通过/失败/错误/总数的数量,并创建所有失败测试的报告。
答案 0 :(得分:1)
看起来您正在使用Watir进行验收测试并尝试进行自定义测试结果报告。
我建议使用现有的测试运行器来运行所有测试并根据需要构建自定义输出格式化程序。现有的测试运行器已经解决了在创建自己的测试运行器期间遇到的许多问题(例如如何从指定文件夹运行测试,如何识别失败/成功测试等)。
Ruby社区验收测试的一个通用测试运行器是Cucumber。另一个好的选择是RSpec。这两个库都支持自定义格式化程序:
如果你想继续使用当前的简单实现,这里有一个可能的方法,由ruby Regexps提供:在测试集全局变量中,例如: $test_succeeded
(如$~
,$&
等全局变量由ruby正则表达式生成)然后在测试运行器中检查此值。
在测试中
if browser.text.include?( 'The user already Exists')
puts 'Passed'
browser.close
$test_succeeded = true
# ...
在测试跑步者中
Dir.foreach('tests') do |item|
next if item == '.' or item == '..' #removes extra "." or ".."
load dirname + '/' + item #successfully loads the script
if $test_succeeded
# ...
如果您在运行脚本时遇到问题,我建议您定义运行测试的特殊方法(类似于RSpec方法):
def test
test_res = yield # call test
$test_results ||= {}
$test_results << test_res # and store its result in arra of test results
end
然后您的测试将如下所示:
require 'file_with_test_method'
require 'watir-webdriver'
test do
# your test code
browser.text.include?( 'The user already Exists') # last expression in the block will be the test result
end