各スレッドが素数を計算する複数のスレッドを作成しようとしています。スレッド作成を使用して、関数に2番目の引数を渡そうとしています。エラーが発生し続けます。
void* compute_prime (void* arg, void* arg2)
{
これが作成スレッドのあるmain()です。 &max_primeの後の&primeArray [i]でエラーが発生します。
for(i=0; i< num_threads; i++)
{
primeArray[i]=0;
printf("creating threads: \n");
pthread_create(&primes[i],NULL, compute_prime, &max_prime, &primeArray[i]);
thread_number = i;
//pthread_create(&primes[i],NULL, compPrime, &max_prime);
}
/* join threads */
for(i=0; i< num_threads; i++)
{
pthread_join(primes[i], NULL);
//pthread_join(primes[i], (void*) &prime);
//pthread_join(primes[i],NULL);
//printf("\nThread %d produced: %d primes\n",i, prime);
printf("\nThread %d produced: %d primes\n",i, primeArray[i]);
sleep(1);
}
私が得るエラーは:
myprime.c: In function âmainâ:
myprime.c:123: warning: passing argument 3 of âpthread_createâ from incompatible pointer type
/usr/include/pthread.h:227: note: expected âvoid * (*)(void *)â but argument is of type âvoid * (*)(void *, void *)â
myprime.c:123: error: too many arguments to function âpthread_createâ
2番目の引数を取り除いても問題ありません。
新しいスレッドで呼び出す関数に渡すことができる引数は1つだけです。両方の値を保持する構造体を作成し、構造体のアドレスを送信します。
#include <pthread.h>
#include <stdlib.h>
typedef struct {
//Or whatever information that you need
int *max_prime;
int *ith_prime;
} compute_prime_struct;
void *compute_prime (void *args) {
compute_prime_struct *actual_args = args;
//...
free(actual_args);
return 0;
}
#define num_threads 10
int main() {
int max_prime = 0;
int primeArray[num_threads];
pthread_t primes[num_threads];
for (int i = 0; i < num_threads; ++i) {
compute_prime_struct *args = malloc(sizeof *args);
args->max_prime = &max_prime;
args->ith_prime = &primeArray[i];
if(pthread_create(&primes[i], NULL, compute_prime, args)) {
free(args);
//goto error_handler;
}
}
return 0;
}
これは Manakarse のコードです。すべてが本当に良いですが、
pthread_join(thread [i]、NULL)
メインスレッドが終了する前にすべてのスレッドが正常に実行されることを確認するため(すべてのスレッドがまだ終了していない間、「メインは「待機」しています);
Std :: threadの場合、ユーザーは次のメソッドでスレッド関数に引数を渡すことができます
std :: thread(funcName、arg1、arg2);
例えば、
//for a thread function,
void threadFunction(int x,int y){
std::cout << x << y << std::endl;
}
// u can pass x and y values as below
std::thread mTimerThread;
mTimerThread = std::thread(threadFunction,1,12);