数据集(和样本)何时在 boost::test 中销毁?



我正在尝试学习如何使用boost::test的数据驱动测试功能。我怎么会遇到一个我认为与数据集(和样本)破坏有关的麻烦。以以下代码片段为例:

#define BOOST_TEST_MODULE dataset_example68
#include <boost/test/included/unit_test.hpp>
#include <boost/test/data/test_case.hpp>
#include <boost/test/data/monomorphic.hpp>
#include <sstream>
#include <cstdio>
namespace bdata = boost::unit_test::data;
// Dataset generating a Fibonacci sequence
class fibonacci_dataset {
public:
// Samples type is int
using sample=int;
enum { arity = 1 };
struct iterator {
iterator() : a(1), b(1) {}
int operator*() const   { return b; }
void operator++()
{
a = a + b;
std::swap(a, b);
}
private:
int a;
int b; // b is the output
};
fibonacci_dataset() {fprintf(stderr, "constructed %pn", (void*)this);}
~fibonacci_dataset() {fprintf(stderr, "destructed %pn", (void*)this);}
// size is infinite
bdata::size_t   size() const    { return bdata::BOOST_TEST_DS_INFINITE_SIZE; }
// iterator
iterator        begin() const   { return iterator(); }
};
namespace boost { namespace unit_test { namespace data { namespace monomorphic {
// registering fibonacci_dataset as a proper dataset
template <>
struct is_dataset<fibonacci_dataset> : boost::mpl::true_ {};
}}}}
// Creating a test-driven dataset 
BOOST_DATA_TEST_CASE(
test1,
fibonacci_dataset() ^ bdata::make( { 1, 2, 3, 5, 8, 13, 21, 35, 56 } ),
fib_sample, exp)
{
BOOST_TEST(fib_sample == exp);
}

此代码片段来自boost::test的文档,我只在构造函数/析构函数中添加了fprintf(stderr,''')。我在我的 arch linux(boost 1.63.0、gcc 6.3.1、编译器选项 -std=c++14)上编译并运行了它,输出如下:

constructed 0x7ffd69e66e3e
destructed 0x7ffd69e66de0
destructed 0x7ffd69e66e3d
destructed 0x7ffd69e66e3e
Running 9 test cases...
4.cpp(53): error: in "test1/_7": check fib_sample == exp has failed [34 != 35]
Failure occurred in a following context:
fib_sample = 34; exp = 35; 
4.cpp(53): error: in "test1/_8": check fib_sample == exp has failed [55 != 56]
Failure occurred in a following context:
fib_sample = 55; exp = 56; 
*** 2 failures are detected in the test module "dataset_example68"

我的问题是:

  1. 似乎数据集在测试用例开始之前就被破坏了 跑,有意义吗?(虽然在此代码段中没有演示,但似乎数据样本在测试用例开始运行之前也会被破坏,这有意义吗?
  2. 我认为如果你声明一个构造函数,编译器不会为你隐式生成一个默认的构造函数。如果你声明了一个析构函数,编译器不会为你隐式生成复制/移动运算符/构造函数,那么"另一个"数据集是如何构造的(从输出来看,有多个数据集被破坏)?

非常感谢您的帮助。

地址0x7ffd69e66e3e处的第一个数据集是构造的,因为调用了

fibonacci_dataset() ^ bdata::make( { 1, 2, 3, 5, 8, 13, 21, 35, 56 } )

这是您在默认构造函数中看到的唯一一个。所有其他数据集实际上都被移动了。例如,在operator^中有这样的举动,暗示了类boost::unit_test::data::monomorphic::zip的建设。

在初始化时(在输入main之前),UTF声明调用make_test_case_genBOOST_DATA_TEST_CASE。这将为数据集的每个样本注册一个单元测试。单元测试直接保存示例。

注册所有单元测试后,就不再需要保存数据集。因此,在测试开始之前删除数据集是完全有意义的。

最新更新