5

假设我想要一个自定义的testthat期望。例如,我正在测试大量对象以查看它们是否没有缺失值。写东西的testhat方式应该是这样的:

expect_no_nas <- function(object, info = NULL, label = NULL)
{
  lab <- testthat:::make_label(object, label)
  expect(has_no_nas(object), sprintf("%s has nulls.", lab), 
    info = info)
  invisible(object)
}

has_no_nas <- function()
{
  !any(is.na(x))
}

我如何测试这是正确的?

我可以编写通过的测试,没问题。

test_that(
  "expect_no_nas passes when there are no NAs",
  {
    expect_no_nas(1:5)
  }
)

我以为我可以将自定义期望包装在 中expect_error,但这不起作用:

test_that(
  "expect_no_nas fails when there are NAs",
  {
    expect_error(expect_no_nas(c(1, NA)))
  }
)   
## Error: Test failed: 'expect_no_nas fails when there are NAs'
## * Not expected: c(1, NA) has NAs.
## * Not expected: expect_no_nas(c(1, NA)) code raised an error.

包裹它try也不起作用。

test_that(
  "expect_no_nas fails when there are NAs",
  {
    res <- try(expect_no_nas(c(1, NA)))
    expect_false(res$passed)
  }
) 
## Error: Test failed: 'expect_no_nas fails when there are NAs'
## Not expected: c(1, NA) has NAs.    

如何测试失败的案例?(要记住的重要一点是,我们正在测试是否expect_no_nas有效,而不仅仅是编写使用 . 的测试expect_no_nas。)

4

1 回答 1

5

Nico 的查询有助于澄清事情:您需要在测试中进行测试。

test_that(
  "expect_no_nas fails when there are NAs",
  {
    expect_error(
      test_that(
        "failing test",
        {
          expect_no_nas(c(1, NA))
        }
      ) 
    )
  }
) 
于 2015-12-04T10:40:08.427 回答