1

我正在尝试计算文件中每个单词的数量。该文件可以是标准输入,也可以是命令行上提供的文件名 (./count -f )。到目前为止,当从命令行读取文件时,程序给出了正确的输出。但是当我尝试从标准输入读取时会发生错误。该程序首先输出正确,然后给出分段错误(核心转储)。这是我的代码的一部分。

    FILE * fp;
int size = 20000;
char sentence[2000]; // the sentence from stdin
if ( argc != 3 ) 
{
    fgets(sentence,sizeof(sentence),stdin); // read from stdin
    fflush(stdin);
    // I think the initialization of word is incorrect, but i do know why it is incorrect
    char *word = strtok (sentence," !\"#$%&'()*+,./:;<=>?@[\\]^_`{|}~\n\t");
    while (word != NULL)
    {
        get_word(word); // get each word
        word = strtok (NULL, " !\"#$%&'()*+,./:;<=>?@[\\]^_`{|}~\n\t");
    }
}
else
{
    fp = fopen( argv[2], "r" );
    if ( fp == 0 )
    {
        printf( "Could not open file\n" );
    }

           char word[1000];
    while (readFile(fp, word, size)) {  // let the program read the file
        get_word(word); // get each word. Works well.
    }
}

get_word 函数:

void get_word(char *word){
node *ptr = NULL;
node *last = NULL;

if(first == NULL){
    first = add_to_list(word); // add to linked list
    return;
}

ptr = first;
while(ptr != NULL){
    if(strcmp(word, ptr->str) == 0){
        ++ptr->freq;
        return;
    }
    last = ptr;            
    ptr = ptr->next;  
}
last->next = add_to_list(word); // add to linked list

}

请帮我弄清楚为什么我会出现分段错误(核心转储)。该程序适用于我的 mac,但不适用于 Linux。
提前致谢。

4

2 回答 2

0

句子大小为 2 kib,您正在从标准输入读取 2 kib。之后,您在其上使用字符串函数。字符串以 '\0' 结尾,但由于您读取 2 个没有 '\0' 的 kib 数据,因此没有字符串结尾,因此会出现段错误,因为字符串函数(在本例中为 strtok)可能工作得远远超过 2亲属。

于 2013-04-09T19:10:57.423 回答
0

问题是

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

    if ( argc != 3 )
    {
            fgets(sentence,sizeof(sentence),stdin);
            // and so on
    }
    else
    {
            fp = fopen( argv[2], "r" );
            if ( fp == 0 )
            {
                    printf( "Could not open file\n" );
            }
            while (readFile(fp, word, size)) {
                    get_word(word);
            }
    }

    // do some stuff, sorting etc.

    fclose(fp);

那你fclose(fp)不管它是否被打开。如果fp未连接到有效流,则分段错误很常见。显然,一些实现NULL可以优雅地处理参数fclose,这就是它看起来可以在 Mac 上运行的原因。

fclose调用移到else分支中,当fopen失败时,不要只是

printf( "Could not open file\n" );

但结束程序。

于 2013-04-09T20:03:57.630 回答