我正在尝试学习posix,并希望从一些简单的开始。我想在不同的线程上处理数组元素。我的代码是:
#include <iostream>
#include <pthread.h>
using namespace std;
static void* doWork(int* a, size_t s) {
for(int i = 0; i < s; i++) {
a[i] = a[i] * 2;
}
//return void;
}
void printIntArr(int* a, size_t s) {
for(int i = 0; i < s; i++) {
cout << a[i] << " ";
}
cout << endl;
}
int main() {
int a[24];
for(int i = 0; i < 24; i++) {
a[i] = i;
}
printIntArr(&a[0], 24); //before
//I want to make 2 threads, and pass first half and second half of the array to process
pthread_t tA, tB;
int resultA = pthread_create(&tA, NULL, &doWork(&a[0],12), NULL);
int resultB = pthread_create(&tB, NULL, &doWork(&a[11],12), NULL);
printIntArr(&a[0], 24); //after
return 0;
}
我只想在不同线程上的数组的前半部分和后半部分执行doWork
函数。是的,我的代码无法编译。
答案 0 :(得分:0)
您是否阅读过pthreads documentation? pthreads中的线程函数必须如下所示:
void * dowork( void * arg );
然后将函数传递给pthread_create API,并传递指向您希望它处理的内容的指针。在您的情况下,您可能希望创建一个结构来保存要处理的数据,如:
struct param {
int anarray[10];
int size;
}
然后你会以某种方式实例化结构:
param p = { ... };
并调用pthread create:
pthread_create(&thread, NULL, dowork, & p );
您的dowork函数将由具有结构实例地址的线程调用,您需要以某种方式解压缩并使用它。
如果您只是在C ++标准库中使用了std :: thread类,那么所有这些很多更简单。
答案 1 :(得分:0)
#include <iostream>
#include <pthread.h>
using namespace std;
typedef struct {
int* a;
size_t s;
} Params;
static void* doWork(void * data) {
Params * p = (Params *) data;
for(int i = 0; i < p -> s; i++) {
p ->a[i] = p ->a[i] * 2;
}
//return void;
return data;
}
void printIntArr(int* a, size_t s) {
for(int i = 0; i < s; i++) {
cout << a[i] << " ";
}
cout << endl;
}
int main() {
int a[24];
for(int i = 0; i < 24; i++) {
a[i] = i;
}
printIntArr(&a[0], 24); //before
Params p1;
p1.a = &(a[0]);
p1.s = 12;
Params p2;
p2.a = &(a[11]);
p2.s = 12;
//I want to make 2 threads, and pass first half and second half of the array to process
pthread_t tA, tB;
int resultA = pthread_create(&tA, NULL, doWork, (void *)&p1);
int resultB = pthread_create(&tB, NULL, doWork, (void *)&p2);
pthread_join(tA, NULL);
pthread_join(tA, NULL);
printIntArr(&a[0], 24); //after
return 0;
}
如果您使用c ++编码,可以使用以下代码:http://cpp.sh/4du5