我有一些要测试的功能。我希望能够将它们传递给基准测试功能。以前,我已经将函数指针和对对象的引用传递给了测试函数,就像这样
template<typename T>
void (T::*test_fn)(int, int), T& class_obj, )
此刻我有这个
#include <iostream>
#include <functional>
using namespace std::placeholders;
class aClass
{
public:
void test(int a, int b)
{
std::cout << "aClass fn : " << a + b << "\n";
}
};
class bClass
{
public:
void test(int a, int b)
{
std::cout << "bClass fn : " << a * b << "\n";
}
};
// Here I want to perform some tests on the member function
// passed in
class testing
{
public:
template<typename T>
void test_me(T&& fn, int one, int two)
{
fn(one, two);
}
};
int main()
{
aClass a;
bClass b;
auto fn_test1 = std::bind(&aClass::test, a, _1, _2);
auto fn_test2 = std::bind(&bClass::test, b, _1, _2);
testing test;
test.test_me(fn_test1, 1, 2);
test.test_me(fn_test2, 1, 2);
}
有没有办法我可以使用lambda来做到这一点? 我知道我可以使用std :: bind来执行此操作,但是我可以使用lambda来执行此操作,而不必每次都对要测试的每个成员函数都执行此操作(如下所示)吗?
答案 0 :(得分:5)
test_me
函数可以接受任何可调用对象。包括lambda。无需修改。
类似
test.test_me([a](int one, int two) { a.test(one, two); }, 1, 2);