0

我试图创建一些基本的检查测试来验证一组 HTTP URL。我开始的方式是这样的——

control 'http-url-checks' do
  impact 1.0
  title 'http-url-checks'
  desc '
   Specify the URLs which need to be up and working.
  '
  tag 'http-url-checks'

  describe http('http://example.com') do
    its('status') { should eq 200 }
    its('body') { should match /abc/ }
    its('headers.name') { should eq 'header' }
  end

  describe http('http://example.net') do
    its('status') { should eq 200 }
    its('body') { should match /abc/ }
    its('headers.name') { should eq 'header' }
  end
end

我们注意到 URL 是硬编码在控件中的,并且不是很有趣。我想将它们移动到某种“属性”文件中,并在控制文件中循环它们。

我的尝试是使用配置文件中的“文件”文件夹结构。我创建了一个文件 - httpurls.yml并在其中包含以下内容 -

- url: http://example.com
- url: http://example.net

..在我的控制文件中,我有结构 -

  my_urls = yaml(content: inspec.profile.file('httpurls.yml')).params

  my_urls.each do |s|
    describe http(s['url']) do
      its('status') { should eq 200 }
    end
  end

但是,当我执行合规性配置文件时,我收到一个错误 - 'httpurls.yml not found'(虽然不确定确切的错误消息)。以下是我的合规配置文件的文件夹结构。

在此处输入图像描述

我做错了什么?

有没有更好的方法来实现我想要做的事情?

4

2 回答 2

2

秘诀是使用本页底部附近定义的配置文件属性:

https://www.inspec.io/docs/reference/profiles/

首先,创建一个配置文件属性 YML 文件。我命名我profile-attribute.yml的。

其次,将值数组放入 YML 文件中,如下所示:

urls:
  - http://example.com
  - http://example.net

第三,在 InSpec 测试的顶部创建一个属性:

my_urls = attribute('urls', description: 'The URLs that I am validating.')

第四,在 InSpec 测试中使用您的属性:

my_urls.each do |s|
  describe http(s['url']) do
    its('status') { should eq 200 }
  end
end

最后,当您调用 InSpec 测试时,使用以下命令指向您的 YML 文件--attrs

inspec exec mytest.rb --reporter=cli --attrs profile-attribute.yml
于 2018-08-03T13:47:48.373 回答
0

还有另一种使用文件的方法(而不是配置文件属性和--attrs标志)。您可以使用 JSON 或 YAML。

首先,创建 JSON 和/或 YAML 文件并将它们放在files目录中。JSON 文件的一个简单示例可能如下所示:

{
    "urls": ["https://www.google.com", "https://www.apple.com"]
}

YAML 文件的一个简单示例可能如下所示:

urls:
- https://www.google.com
- https://www.apple.com

其次,在 InSpec 文件的顶部包含代码以读取和解析 JSON 和/或 YAML,如下所示:

jsoncontent = inspec.profile.file("tmp.json")
jsonparams = JSON.parse(jsoncontent)
jsonurls = jsonparams['urls']

yamlcontent = inspec.profile.file("tmp.yaml")
yamlparams = YAML.load(yamlcontent)
yamlurls = yamlparams['urls']

第三,在 InSpec 测试中使用变量,如下所示:

jsonurls.each do |jsonurl|
  describe http(jsonurl) do
    puts "json url is " + jsonurl
    its('status') { should eq 200 }
  end
end

yamlurls.each do |yamlurl|
  describe http(yamlurl) do
    puts "yaml url is " + yamlurl
    its('status') { should eq 200 }
  end
end

(注意:该puts行用于调试。)

结果是您所期望的:

json url is https://www.google.com
json url is https://www.apple.com
yaml url is https://www.google.com
yaml url is https://www.apple.com

Profile: InSpec Profile (inspec-file-test)
Version: 0.1.0
Target:  local://

  http GET on https://www.google.com
     ✔  status should eq 200
  http GET on https://www.apple.com
     ✔  status should eq 200
  http GET on https://www.google.com
     ✔  status should eq 200
  http GET on https://www.apple.com
     ✔  status should eq 200
于 2019-01-29T15:11:59.583 回答