개요
C++11의 표준 라이브러리인 Thread을 사용할 때 전역 함수가 아닌 Class 멤버 함수를 등록하고 싶을 때가 있다. 이럴 때 다음과 같은 방법으로 진행을 하면 손쉽게 만들 수 있다.
소스코드
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
|
#include<iostream>
#include<vector>
#include<thread>
#include<mutex>
std::mutex g_lock;
class CParallelSum {
private:
void SumValue(int number) {
volatile int value{};
for (int i = 0; i < 50000000; ++i)
value += 1;
{
std::lock_guard<std::mutex>lock_guard(g_lock);
std::cout << "Thread Number:"<<number << " Sum Result:" << value<<"\n";
}
}
public:
void Run() {
std::vector<std::thread>threads;
for (int i = 0; i < 7; ++i) {
threads.emplace_back(std::thread(&CParallelSum::SumValue, this, i));
}
for (auto& thread : threads)
thread.join();
}
};
int main() {
CParallelSum* sumHandle = new CParallelSum();
sumHandle->Run();
}
|
이 소스코드의 핵심은 28번 째 줄에 있다. thread를 생성할 때 이와 같은 방법을 사용하면 static 키워드를 붙일 필요도 없이 쉬운 방법으로 만들 수 있다.
출처 및 레퍼런스
https://stackoverflow.com/questions/10998780/stdthread-calling-method-of-class
'프로그래밍 > Modern C++' 카테고리의 다른 글
[C++] 기본 객체지향 특징 정리 (0) | 2020.09.18 |
---|---|
[C++] PIMPL을 사용하지 말자 (0) | 2020.08.26 |
[C++] private 함수보다는 delete 를 사용하자 (0) | 2020.06.28 |
[C++] RAII(Resoucre Acquisition Is Initialization) (0) | 2020.06.20 |
[C++] Vector의 메모리 할당 방식 (0) | 2020.06.18 |