1

我试图通过 pthread_exit() 函数将指向 struct lower_hyper_id 的指针从线程传递到主线程,该函数将比较并输出结构中的值。但是,当我尝试使用返回的值并将其转换为结构时,我收到一个错误(分段错误)。

创建并返回结构的线程:

void *compute(void *arg){
   lower_hyper_id *data = (lower_hyper_id *)malloc(sizeof(lower_hyper_id));

   //some code
   //i debug the program, and at this point, the struct i want
   //to return has the values i want.

   pthread_exit((void *)data);
}

主要是:

lower_hyper_id l_hyper_id;

int main(){
    void *ap_state;
    lower_hyper_id values;
    void *ret;

    //some code

    for (int i = 0; i < NUMBER_OF_FILTERING_THREADS; i++)
    {
        s = pthread_join(filtering_threads[i], (void *)&ret);
        //some error checking 

        values = *((lower_hyper_id *)ret);  //this is where i receive the error

        if (values.lowest_cost <= l_hyper_id.lowest_cost)
        {
            l_hyper_id.hyper_id = values.hyper_id;
            l_hyper_id.lowest_cost = values.lowest_cost;
        }
        free(ret);
}

我已经查看了 stackoverflow 中的答案,例如这个问题,但它并没有帮助我解决这个问题。我实际上将代码更改为与此答案中的代码完全相同,但它仍然给我一个错误。

4

1 回答 1

0

您不是在测试 malloc 是否返回 NULL。如果您要分配大块并且分配可能会失败,这可能是一个问题。除此之外,我认为问题不在于返回值传递。

pthread_exit()使用mallocd 指针应该可以正常工作。

一个最小的工作示例:

#include <errno.h>
#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void *compute (void *arg)
{
    printf("thread=%llx\n", (unsigned long long)pthread_self());
    size_t sz = strlen("hello world")+1;
    char *ret = malloc(sz+1);
    if(ret) memcpy(ret, "hello world", sz+1);
    return ret;
}
int main()
{
    printf("thread=%llx\n", (unsigned long long)pthread_self());
    pthread_t ptid;
    int er;
    if((er=pthread_create(&ptid,0,compute,0))) return errno=er,perror(0),1;
    void *retval;
    if((er=pthread_join(ptid,&retval))) return errno=er,perror(0),1;
    printf("thread returned: %s\n", (char*)retval);
    free(retval);

}
于 2019-05-19T09:20:54.360 回答