是否可以将传递给非类模板的构造函数的可变参数模板参数/参数包作为该类的属性存储,而无需将该类转换为类模板?
我目前正在开发一个瘦包装类(我只在这里创建了一个最小化复杂性的最小示例),它具有以下签名:
class Wrapper final {
public:
template <typename Function, typename... Args>
auto start(Function&& function, Args&&... args) -> void;
};
参数包传递给成员函数模板start<Function, ... Args>
,目前无需“存储”function
或args
。完美转发用于该功能内的进一步处理。
现在,我想要实现的是如下签名(引入接口类):
class WrapperInterface {
public:
virtual ~WrapperInterface() = default;
virtual auto start() -> void = 0;
};
// TODO(2019-03-17 by wolters) The following is non-working pseudo-code.
class Wrapper final : public WrapperInterface {
public:
template <typename Function, typename... Args>
explicit Wrapper(Function&& function, Args&&... args)
: function_{function}, args_{args} {
// NOOP
}
auto start() -> void {
// TODO(2019-03-17 by wolters) Invoke `function_` with `args_`.
function_(args);
}
private:
std::function<???> function_;
std::tuple<???> args_;
};
然后Wrapper
可以使用如下:
class WrapperClient final {
public:
WrapperClient() : wrapper_{[this](){
// std::cout << "started\n";
}} {
// NOOP
}
private:
Wrapper wrapper_;
};
虽然上面的示例中不需要接口类,但通常需要它,因为实例应存储在std::vector<std::unique_ptr<WrapperInterface>>
中。
我已阅读并尝试过How to store variadic template arguments?,但这种方法需要将Wrapper
转换为类模板。
我认为需要类似于QThread *QThread::create(Function &&f, Args &&... args)
implementation的东西。可悲的是,代码对我来说太先进了。
你能引导我进入正确的方向吗?是否可以使用私有实现类模板?
你想要做的是被称为类型擦除,这是一个非常有趣的技术(例子和无耻的自我推广here),但它已经在std::function
为你完成,所以你所要做的就是使用std::function<void()>
并使用std::bind
或lambda capture用于存储参数:
template <typename Function, typename... Args>
std::function<void()> wrap(Function&& function, Args&&... args)
{
return [=] { function(args); };
// or return std::bind(std::forward<Function>(function), std::forward<Args>(args)...);
}