C++ future async promise 用法详解 - async

async

文章目录

    • async
      • 背景
      • 用法
      • detail

背景

  • C++11添加了thread,可以通过std::thread({})方便的创建线程
  • thread不能方便的获取线程运行结果

用法

  • 返回值为std::future(下面会讲到),第一个参数policy,第二个参数为function,可以是lamda

    template< class Function, class... Args >
    std::future, std::decay_t...>>
        async( std::launch policy, Function&& f, Args&&... args);
    
  • 关于policy

    • std::launch::async 新建线程,异步执行
    • std::launch::deferred 当前线程,调用特定函数时,同步执行
    • std::launch::async | std::launch::deferred 取决于实现,不得而知
    • NULL 取决于实现,不得而知

detail

  • std::launch::async 理论上会新建线程异步执行task,std::launch::deferred 只会在当前线程执行

    int main() {
      	std::cout << std::this_thread::get_id() <> futures;
        for (int i = 0; i < 25; ++i) {
            // 当policy为std::launch::deferred时,可以看到所有thread id都是主线程id
            // 当policy为std::launch::async时,可以看到所有thread id各不相同
            auto fut = std::async(std::launch::deferred, [] {          
                std::cout << std::this_thread::get_id() < & fut) {
            fut.wait();
        });
    }
    
  • policy为async时,如果没有获取结果,会单线程同步执行task

    int main() {
      std::cout << std::this_thread::get_id() <
  • 由于async采用async policy时,本质上还是新建一个线程

    所以不适合轻量task,线程的创建和销毁开销可能更大

    这里未来应该支持线程池

你可能感兴趣的:(C++,c++,多线程,future,并发编程)