0

我正在尝试在其结构中打印一个带有 char 数组的队列。我只是读了一个带有一些网址的文本文件,推​​入队列并尝试打印。前 4 行没问题,但随后它开始在几乎所有其他行中打印坏字符。我不知道发生了什么事。即使我从 fgets 直接打印 char 数组,它也会正确打印并且队列也正确打印,所以......我很困惑......

任何的想法?

以下是相关代码:

结构:

typedef struct n_queue {
    char *web;
    struct n_queue *next;
} QUEUE_NODE, *P_QUEUE_NODE;

typedef struct k_queue {
    P_QUEUE_NODE head;
    P_QUEUE_NODE tail;
} kind_queue;

读取文件:

void readFile(kind_queue *q) {
    char data[9][150];
    FILE *f=fopen("list.txt", "r");
    if (f == NULL) perror("Web list couldn't be found.");
    int j =0;
    int i;

    while (fgets(data[j],150, f)!=NULL) {
            //If I uncomment the line below, both char array and char array in queue
            //are printed allright
        //printf("%s", data[j]);

            //Supress the new line char
        for (i=0;i<150;i++) {
            if (data[j][i] == '\n') {
                data[j][i]='\0';
                break;
            }
        }

        push_queue(q, data[j]);
        j++;
    }

    fclose(f);
}

推送代码:

void push_queue(kind_queue *q, char *web){
    P_QUEUE_NODE p;
    p = (P_QUEUE_NODE) malloc(sizeof(QUEUE_NODE));
    p->next = NULL;
    p->web = web;
    if (is_empty(q)) q->tail = q->head = p;
    else{
        q->tail->next= p;
        q->tail = p;
    }
}

主功能:

int main () {

    kind_queue queue, *pt_queue_struct;
    pt_queue_struct = &queue;
    pt_queue_struct = init_queue(pt_queue_struct);
    readFile(&queue);

    print_queue(&queue);

    return(0);
}

最后是打印功能:

void print_queue(kind_queue *q) {
    P_QUEUE_NODE paux;
    int j=1;
    for (paux=q->head; paux != NULL; paux=paux->next) {
        printf("%d: %s\n", j, paux->web);
        j++;
    }
}

真实文本:

http://www.google.es
http://stackoverflow.com
http://www.facebook.com
http://akinator.com/cea
http://developer.android.com/map
http://tirsa.es/65/65.htm
http://www.ufo.es/
http://thisty.com/init/
http://damned-c.me/

输出:

1: http://www.google.es
2: http://stackoverflow.com
3: http://www.facebook.com
4: http://akinator.com/cea
5: 
6: 
7: http://www.ufo.es/
8: http:/(dU[~
9: (dU[~
4

1 回答 1

2

读入的数据存储在一个局部变量data中,该变量在退出时超出范围readFile。如果将数据复制到节点结构中,这将是可以的。目前节点数据指针只是指向局部变量存储。

于 2013-03-16T12:42:54.033 回答