我从文件中读取一些数据,然后通过管道发送。当我从管道中读取数据时,有时里面会有额外的字符额外的字符也不一致,但通常在结尾处是一个额外的“R”。
我从文件中读取的数据是正确的,因为它始终是正确的只有在从管道里读到它之后,我才会遇到问题。
你能帮我找出错误吗?我盯着这个看了好长时间了,却找不到。
这是我代码中给我带来麻烦的部分。
谢谢你的帮助。

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

    int nClients;
    int file_name_HTML[2];

    create_pipes(file_name_HTML, server_access_request);
    init_free_pipes();

    nClients = getHTMLFilesIntoPipe(file_name_HTML);
    int clients[nClients];

    for(int i=0; i < nClients; i++)
    {
        if((clients[i] = fork()) == 0)
        {
            clientFunction(file_name_HTML, server_access_request);
        }
    }
    .....
}

int getHTMLFilesIntoPipe(int *file_name_HTML)
{
    int i, n = 0;
    char (*lines)[MAXCHAR] = NULL;
    FILE *fp;
    fp = fopen("./data/listado_html.txt", "r");

    if (!fp) {  /* valdiate file open for reading */
    err_exit("error: file open failed.\n");
    }

    if (!(lines = malloc (MAXLINES * sizeof *lines))) {
    err_exit("error: virtual memory exhausted 'lines'.\n");
    }

    while (n < MAXLINES && fgets (lines[n], MAXCHAR, fp)) /* read each line */
    {
        char *p = lines[n];                 /* assign pointer  */
        for (; *p && *p != '\n'; p++) {}    /* find 1st '\n'   */
        if (*p != '\n') /* check line read */
        {
            int c;
            while ((c = fgetc (fp)) != '\n' && c != EOF) {} /* discard remainder of line with getchar  */
        }
        *p = 0, n++;    /* nul-termiante   */
    }
    if (fp != stdin) fclose (fp);   /* close file if not stdin */

    for (int i = 0; i < n; i++)
    {
        write(file_name_HTML[WRITE], lines[i], strlen(lines[i]));
    }

    free(lines);

    return n;
}

void clientFunction(int *file_name_HTML, int *server_access_request)
{
    char fileName[MAXCHAR];

    close(file_name_HTML[WRITE]);
    //Read HTML file name
    read(file_name_HTML[READ], fileName, MAXCHAR - 1);
    printf("%s\n", fileName);

    .......
}

预期产量:
shu ju qi.html
zhu xiang.html
zhu xiao 3.html
abcd4.html
shu ju shu ju 5.html
电流输出:
zhi shu ju qi.htmlR
zhao ji zhao ji zhao.htmlR
zhao zhao 3.htmlR.htmlR
abcd4.htmlR号
shu ju shu ju 5.htmlR

最佳答案

这是因为字符串不是以空(\0)结尾的。
当您写入管道时,不包括空(\0)终止符。

write(file_name_HTML[WRITE], lines[i], strlen(lines[i])+1);
                                                        ^--- +1 to include null character.

strlen返回不包括空终止符的长度。

10-08 12:17