C - частота многопоточности подсчета букв вызывает ошибку памяти - PullRequest
0 голосов
/ 17 октября 2018

Я пытаюсь использовать многопоточность C, чтобы узнать частоту каждой буквы алфавита в текстовом файле.Назначение: 1) написать функцию, которая читает каждое предложение в тексте, заканчивающееся символом «.»2) написать функцию, которая загружает предложение в двумерный массив; 3) написать функцию, которая генерирует pthread для каждой буквы для каждого предложения (функция pthread добавляет 1 к счетчику для этой буквы).РЕДАКТИРОВАТЬ: я понял с Valgrind, что проблема в функции sentence, я не понимаю, почему.

Вот код:

#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <pthread.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <sys/types.h>

char alphabet[26] = "abcdefghijklmnopqrstuvwxyz";
int count[26];

char* sentence(char * s){
    char* p;
    char* q;
    char* arr;
    int i;
    p = s;
    q = malloc(100);
    arr = q;
    for (i=0; *p != '.'; i++){ 
        *q = *p;
        q++;
        p++; 
    }
    *q = '\0';
    return arr;
}

char** load_sentence(char* p, char** q, int i){
    q[i] = malloc(strlen(p)+1);
    strcpy(q[i], p);
    return q;
}

void* count_letter(void * s){
    char* p = (char*) s;
    int i;
    for (i=0; i<26; i++){
        if (*p == alphabet[i]){
            count[i]++;
        }
    }
}

void frequency(char* str){
    char* s = str;
    int i, j, l;
    l = strlen(str);
    pthread_t tid[l];
    for (i=0; i<l; i++){
        pthread_create(&tid[i], NULL, count_letter, (void*) s);
        s++;
    }
    for (j=0; j<l; j++){
        pthread_join(tid[j], NULL);
    }
}


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

    int fd;
    char buff[100];
    fd = open(argv[1], O_RDONLY);
    char ** text = malloc(10*sizeof(char*));
    read(fd, buff, sizeof(buff));
    char* start = buff;
    int i = 0; //number of phrases!
    char* p = NULL;

    while (*(p = sentence(start)) != '\0'){
        text = load_sentence(p, text, i);
        start += strlen(p)+1;
        i++;
   }

   int j, k;

   for (k=0; k<i; k++){
        frequency(text[k]);
   }

   for (j=0; j<26; j++){
        printf("%c : %d times\n", alphabet[j], count[j]);
   }
}

Это выглядит так в случаях, подобных этому: hope it's a good reading. bye. Вывод правильный:

a : 2 times
b : 1 times
c : 0 times
d : 2 times
e : 3 times
f : 0 times
g : 3 times
h : 1 times
i : 2 times
j : 0 times
k : 0 times
l : 0 times
m : 0 times
n : 1 times
o : 3 times 
p : 1 times
q : 0 times
r : 1 times
s : 1 times
t : 1 times
u : 0 times
v : 0 times
w : 0 times
x : 0 times
y : 1 times
z : 0 times

У других «ошибка памяти», которая начинается с free() : invalid next size (normal).Ошибка имеет много строк карты памяти и заканчивается абортом.

Я довольно новичок в Си, извините за неопытность.

Нужно ли вводить mutex в этом случае?

Ответы [ 2 ]

0 голосов
/ 17 октября 2018

Ваша предыдущая версия с mutex имела неопределенное поведение, потому что вы инициализировали мьютекс несколько раз, в соответствии с ссылка :

Попытка инициализировать уже инициализированный мьютекс приводит к неопределенному поведению.

Вы получаете доступ к count одновременно, поэтому вы должны использовать mutex для создания поточно-ориентированного кода.Вы вызвали pthread_mutex_init в count_letter, это неправильно, эта функция является телом вашего потока (многократная инициализация мьютекса без его уничтожения приводит к UB), вы должны вызывать pthread_mutex_init только один раз, например, в качестве первой строки в mainфункция:

int main() {
 pthread_mutex_init(&mtx,NULL);

перед возвратом добавить

 pthread_mutex_destroy(&mtx);

Критическим разделом в вашей функции count_letter является строка

count[i]++;

, которую вы должны изменить следующим образом

pthread_mutex_lock(&mtx);
count[i]++;
pthread_mutex_unlock(&mtx);

Теперь, вернувшись к реализации sentence, вы должны проверить, не * * не указывает ли нулевой терминатор перед сравнением с .:

for (i=0; *p && *p != '.'; i++){ 
          ^^ added

без тестированияэто, \0! = . возвращает true, и ваш цикл продолжается ...

0 голосов
/ 17 октября 2018

Эрика,

Поскольку я действительно не знаю, какое у вас задание, рассмотрите это как еще один выход из 1000 для подсчета символов.Я не проверял его на наличие ошибок, переписать под ваши нужды.Во всяком случае, так я бы это решил.Если памяти недостаточно, я бы читал символ за символом из файла до ".".В любом случае надеюсь, что это поможет вам, и вы получите отличные оценки: -) ...

#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <pthread.h>
#include <stdatomic.h>

#define MAX_THREADS 100
atomic_int threadCount;
#define NCHAR 26
char alphabet[NCHAR] = "abcdefghijklmnopqrstuvwxyz";
atomic_int count[NCHAR];


void* count_letter(void * s){
    threadCount++;
    char* p = (char*) s;
        for (int i=0; i<NCHAR; i++)
            if (*p == alphabet[i])
                count[i]++;
    threadCount--;
    return NULL;
}

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

    //Init variables
    FILE *file;
    char *myText;
    unsigned long fileLen;
    int deadLockGuard=0;
    threadCount=0;

    //Open the file
    file = fopen(argv[1], "rb");
    if (!file) {
        fprintf(stderr, "Unable to open file %s", argv[1]);
        return EXIT_FAILURE;
    }
    fseek(file, 0, SEEK_END);
    fileLen=ftell(file);
    rewind(file);

    //reserve memory and read the file
    myText=(char *)malloc(fileLen+1);
    if (!myText) {
        fprintf(stderr, "Memory error!");
        fclose(file);
        return EXIT_FAILURE;
    }
    fread(myText, fileLen, 1, file);
    fclose(file);

    //Get each sentence ending with a . and then for each character look at the count for each character in it's own thread.
    char *subString = strtok(myText, "."); //This is your sentence/load_sentence method
    while (subString != NULL) {
        for (int v = 0;v<strlen(subString);v++) { //This is your frequency method
        deadLockGuard=0;
        while (threadCount >= MAX_THREADS) {
            usleep(100); //Sleep 0.1ms
            if(deadLockGuard++ == 10000) {
                printf("Dead-lock guard1 triggered.. Call Bill Gates for help!"); //No free threads after a second.. Either the computer is DEAD SLOW or we got some creepy crawler in da house.
                return EXIT_FAILURE;
            }
        }

        pthread_t tid; //Yes you can overwrite it.. I use a counter to join the workers.
        pthread_create(&tid, NULL, count_letter, (void*) subString+v);
    }
        subString = strtok(NULL, ".");
    }
    deadLockGuard=0;
    //pthread_join all the still woring threads
    while (threadCount) {
        usleep(1000); //sleep a milli
        if(deadLockGuard++ == 2*1000) {
            printf("Dead-lock guard2 triggered.. Call Bill Gates for help!"); //Threads are running after 2 seconds.. Exit!!
            return EXIT_FAILURE;
        }
    }
    //Garbage collect and print the results.
    free(myText);
    for (int j=0; j<NCHAR; j++)
        printf("%c : %d times\n", alphabet[j], count[j]);
    return EXIT_SUCCESS;
}
...