0

我正在尝试编写一个 C 程序,该程序使用线程为我的分配计算目录树的大小。

当只有一个子目录时,我的代码可以正常工作,但是每当我有 2 个或更多子目录时,我就会收到分段错误错误。我阅读了很多关于它的内容,但无法找到我的代码失败的原因。

在我的全球范围内:

pthread_mutex_t mutex;
int total_size = 0; // Global, to accumulate the size

主要的():

int main(int argc, char *argv[])
{
    pthread_t thread;

    ...

    if (pthread_mutex_init(&mutex, NULL) < 0) 
    {
        perror("pthread_mutex_init");
        exit(1);
    }

    pthread_create(&thread, NULL, dirsize, (void*)dirpath);
    pthread_join(thread, NULL);

    printf("\nTotal size: %d\n\n", total_size);

...
}

我的dirsize()函数:

void* dirsize(void* dir)
{
    ...

    pthread_t tid[100];
    int threads_created = 0;

    dp=opendir(dir);
    chdir(dir);

    // Loop over files in directory
    while ((entry = readdir(dp)) != NULL)
    {
        ...

        // Check if directory
        if (S_ISDIR(statbuf.st_mode))
        {
            // Create new thread & call itself recursively
            pthread_create(&tid[threads_created], NULL, dirsize, (void*)entry->d_name);
            threads_created++;
        }
        else
        {
            // Add filesize
            pthread_mutex_lock(&mutex);
            total_size += statbuf.st_size;
            pthread_mutex_unlock(&mutex);
        }
    }

    for (i = 0; i < threads_created; i++)
    {
        pthread_join(tid[i], NULL);
    }
}

我在这里做错了什么?如果您能指出正确的方向,将不胜感激。

这是我通过 gdb 得到的:http: //pastebin.com/TUkHspHH

先感谢您!

4

1 回答 1

4

NUM_THREADS的值是多少?

    // Check if directory
    if (S_ISDIR(statbuf.st_mode))
    {
        // Create new thread & call itself recursively
        pthread_create(&tid[threads_created], NULL, dirsize, (void*)entry->d_name);
        threads_created++;
    }

在这里,您应该检查threads_created是否等于NUM_THREADS,如果是,则增加tid数组的大小(我将在函数开始时malloc并在最后释放,顺便说一句)。

此外,您应该在将目录名称(malloc + strcpy)作为参数传递给线程之前分配目录名称的副本,并在函数结束时释放此类副本而不是entry->d_name.

于 2013-04-07T17:16:41.347 回答