提供未确定生命周期布尔值以在线程之间共享的最简单方法是什么?
What is the easiest way to provide an undetermined-lifespan bool to share between threads?
如果我想在线程之间共享一些 bool
标志并且其生命周期不清楚,因为线程 1、线程 2... 可能是最后一个使用它的线程,我怎么能提供这样的类型?
我显然可以有一个 shared_ptr<bool>
和一个互斥锁来同步对它的访问。但是,如果没有 shared_ptr
,我只会使用 atomic<bool>
,因为它可以完成工作。
现在,我可以使用 shared_ptr<atomic<bool>>
将这两个概念结合起来吗?
如果不是,那么在线程之间共享未确定生命周期 bool
的最简单方法是什么?是互斥量吗?
可能有必要说我的系统中有多个作业,并且我想为每个作业提供一个共享的中止标志。如果作业已经完成,一些想要中止线程的线程在尝试设置标志时不应崩溃。如果想要中止作业的线程没有保留标志(或 shared_ptr),那么线程应该仍然能够读取标志而不会崩溃。但是,如果没有线程再使用 bool,内存应该自然释放。
创建原子布尔后:
std::shared_ptr<std::atomic<bool>> flag = std::make_shared<std::atomic<bool>>(false /*or true*/);
你应该可以在线程间使用它。 std::shared_ptr
上的引用计数和内存释放是线程安全的。
另一件可能感兴趣的事情是,如果您希望某些线程选择退出引用计数,那么您可以使用:
std::weak_ptr<std::atomic<bool>> weak_flag = flag;
...
std::shared_ptr<std::atomic<bool>> temporary_flag = weak_flag.lock();
if (temporary_flag != nullptr)
{
// you now have safe access to the allocated std::atomic<bool> and it cannot go out of scope while you are using it
}
// now let temporary_flag go out of scope to release your temporary reference count
如果我想在线程之间共享一些 bool
标志并且其生命周期不清楚,因为线程 1、线程 2... 可能是最后一个使用它的线程,我怎么能提供这样的类型?
我显然可以有一个 shared_ptr<bool>
和一个互斥锁来同步对它的访问。但是,如果没有 shared_ptr
,我只会使用 atomic<bool>
,因为它可以完成工作。
现在,我可以使用 shared_ptr<atomic<bool>>
将这两个概念结合起来吗?
如果不是,那么在线程之间共享未确定生命周期 bool
的最简单方法是什么?是互斥量吗?
可能有必要说我的系统中有多个作业,并且我想为每个作业提供一个共享的中止标志。如果作业已经完成,一些想要中止线程的线程在尝试设置标志时不应崩溃。如果想要中止作业的线程没有保留标志(或 shared_ptr),那么线程应该仍然能够读取标志而不会崩溃。但是,如果没有线程再使用 bool,内存应该自然释放。
创建原子布尔后:
std::shared_ptr<std::atomic<bool>> flag = std::make_shared<std::atomic<bool>>(false /*or true*/);
你应该可以在线程间使用它。 std::shared_ptr
上的引用计数和内存释放是线程安全的。
另一件可能感兴趣的事情是,如果您希望某些线程选择退出引用计数,那么您可以使用:
std::weak_ptr<std::atomic<bool>> weak_flag = flag;
...
std::shared_ptr<std::atomic<bool>> temporary_flag = weak_flag.lock();
if (temporary_flag != nullptr)
{
// you now have safe access to the allocated std::atomic<bool> and it cannot go out of scope while you are using it
}
// now let temporary_flag go out of scope to release your temporary reference count