我目前正在学习c中的线程,我做了这个程序。
但是,我在编译时遇到了麻烦。我在网上搜索了不同的编译方法,但到目前为止,它们都没有为我工作(尽管它对其他人有用),我不知道为什么......
我正在使用Ubuntu 13和Workstation 10。
我的代码:
#include <stdio.h>
#include <pthread.h>
#include <stdlib.h>
typedef struct node {
int i;
int j;
} NODE;
void merge(int i, int j);
void * mergesort(void *x);
int x[] = {7, 12, 19, 3, 18, 4, 2, 6, 15, 8};
int main() {
int i;
NODE m;
m.i = 0;
m.j = 9;
pthread_t tid;
int check;
check = p_thread_create(&tid, NULL, mergesort, &m);
if (check) {
printf("Unable to create thread %d\n", check);
exit(1);
}
pthread_join(tid, NULL);
for (i = 0; i < 10; i++) {
printf("%d \n", x[i]);
}
return 0;
}
void merge(int i, int j) {
int middle = (i+j)/2;
int xi = i;
int yi = middle+1;
int newx[j-i+1], newxi = 0;
while(xi <= middle && yi <= j) {
if (x[xi] > x[yi]) {
newx[newxi++] = x[yi++];
}
else {
newx[newxi++] = x[xi++];
}
}
while (xi <= middle) {
newx[newxi++] = x[xi++];
}
while (yi <= j) {
newx[newxi++] = x[yi++];
}
for (xi = 0; xi < (j-i+1); xi++) {
x[i+xi] = newx[xi];
}
}
void * mergesort(void *x) {
NODE *p = (NODE *)x;
NODE n1, n2;
int middle = (p->i+p->j)/2;
pthread_t tid1, tid2;
int ret;
n1.i = p->i;
n1.j = middle;
n2.i = middle+1;
n2.j = p->j;
if (p->i >= p->j) {
return;
}
int check;
check = pthread_create(&tid1, NULL, mergesort, &n1);
if (check) {
printf("Unable to create thread %d\n", check);
exit(1);
}
check = pthread_create(&tid2, NULL, mergesort, &n2);
if (check) {
printf("Unable to create thread %d\n", check);
exit(1);
}
p_thread_join(tid1, NULL);
p_thread_join(tid2, NULL);
merge(p->i, p->j);
p_thread_exit(NULL);
}
到目前为止我尝试过:
gcc -pthread thread.c
gcc thread.c -pthread
gcc -lpthread thread.c
gcc thread.c -lpthread
gcc -o thread thread.c -pthread
gcc -o thread thread.c -lpthread
gcc -pthread -o thread thread.c
gcc -lpthread -o thread thread.c
答案 0 :(得分:1)
此代码中有三个错误:
所有pthreads函数都命名为pthread_something
,而不是p_thread_something
。编译器不会为您纠正此错字。在'p'出现的任何地方后删除下划线。
在至少一些(BSD派生的?)系统上,stdlib.h
声明一个名为mergesort
的函数,其签名不兼容,因此您需要重命名它。
在mergesort
函数中有一个没有值的return语句,它被声明为返回void *
。需要将其更改为return 0;
。
当我进行这三项更改时,您的程序可以正常工作,或者无论如何它似乎都有用(它应该打印一个已排序的数字列表,是吗?)