본문 바로가기
💻 programming/c++

[c++] packaged task

by 연구원-A 2020. 12. 15.
반응형

클래스 템플릿인 std::packaged_task은 호출가능한 callable (함수, 람다 표현식, functor) 등을 템플릿의 인자로 받아 future를 반환할 수 있는 통일된 방법을 제공합니다. 이 방법을 통해 비동기적 수행을 할 수도 있습니다.

 

예제 코드

task_thread를 제외하고 다른 함수는 비동기적으로 수행되지 않는 것을 알 수 있습니다.

thread에 std::packaged_task를 전달하기 위해서는 명시적으로 move 해야합니다.

#include <iostream>
#include <cmath>
#include <thread>
#include <future>
#include <functional>
 
// unique function to avoid disambiguating the std::pow overload set
int f(int x, int y) { return std::pow(x,y); }
 
void task_lambda()
{
    std::packaged_task<int(int,int)> task([](int a, int b) {
        return std::pow(a, b); 
    });
    std::future<int> result = task.get_future();
 
    task(2, 9);
 
    std::cout << "task_lambda:\t" << result.get() << '\n';
}
 
void task_bind()
{
    std::packaged_task<int()> task(std::bind(f, 2, 11));
    std::future<int> result = task.get_future();
 
    task();
 
    std::cout << "task_bind:\t" << result.get() << '\n';
}
 
void task_thread()
{
    std::packaged_task<int(int,int)> task(f);
    std::future<int> result = task.get_future();
 
    std::thread task_td(std::move(task), 2, 10);
    task_td.join();
 
    std::cout << "task_thread:\t" << result.get() << '\n';
}
 
int main()
{
    task_lambda();
    task_bind();
    task_thread();
}
반응형

'💻 programming > c++' 카테고리의 다른 글

[c++] optional  (0) 2020.12.15
[c++] move  (0) 2020.12.15
[c++] perfect forwarding (완벽한 전달)  (0) 2020.12.15
[c++] async  (0) 2020.12.15
[c++] future  (0) 2020.12.15

댓글