我希望成员std::future<void>
在循环内连续调用函数,直到父对象被销毁。
我目前的解决方案是将未来包装在一个带有布尔标志的类中,并在销毁时将标志设置为false。
class Wrapper
{
std::future<void> fut;
bool wrapperAlive{true};
public:
Wrapper() : fut{std::async(std::launch::async, [this]
{
while(wrapperAlive) doSomething();
})} { }
~Wrapper()
{
wrapperAlive = false;
}
};
有没有更惯用的方法呢?
答案 0 :(得分:3)
这是您的代码的免费数据版本:
class Wrapper {
std::atomic<bool> wrapperAlive{true}; // construct flag first!
std::future<void> fut;
public:
Wrapper() :
fut{std::async(std::launch::async, [this]
{
while(wrapperAlive)
doSomething();
}
)}
{}
~Wrapper() {
wrapperAlive = false;
fut.get(); // block, so it sees wrapperAlive before it is destroyed.
}
};
接下来我要写的是:
template<class F>
struct repeat_async_t {
F f;
// ...
};
using repeat_async = repeat_async_t<std::function<void()>>;
template<class F>
repeat_async_t<std::decay_t<F>> make_repeat_async(F&&f){
return {std::forward<F>(f)};
}
将任务永久重复,并将其捆绑在那里,而不是将流逻辑与执行的逻辑混合。
此时,我们可能想要添加一个中止方法。
最后,忙于循环一个线程是一个好主意。因此,我们需要添加一些等待更多数据的系统。
最终看起来与你的代码有很大不同。