1

我正在用 K&R 书学习 C。有一个练习,这里是:“编写一个程序来打印所有超过 80 个字符的输入行”。所以我写了这段代码:

#include <stdio.h>
#include <stdlib.h>

int getline(char s[], int lim);
#define MINLINE 80
#define MAXLINE 1000
/*
 * 
 */
int main(int argc, char** argv) {
    int len; //current line length
    char line[MAXLINE]; //current input line
    int proceed=0;

    while((len=getline(line, MAXLINE))>0) 
        if(line[len-1]!='\n'){
                printf("%s", line);
                proceed=1;}
        else if(proceed==1){
                printf("%s", line);
                proceed=0;}
        else if(len>MINLINE){
                printf("%s", line);
        }
        return 0;



}

int getline(char s[], int lim){
    int i, c;
    for(i=0; i<lim-1 && (c=getline())!='*' && c!='\n'; i++){
        s[i]=c;
    }  
    if(c=='\n'){
        if(i<=lim-1){
        s[i]=c;}
    i++;}
    s[i]='\0';
    return i; 
}

我无法编译它,也不知道如何修复它。你可以帮帮我吗?

这是错误消息:

main.c:11:5: error: conflicting types for ‘getline’
In file included from /usr/include/stdio.h:62:0,
                 from main.c:8:
/usr/include/sys/stdio.h:37:9: note: previous declaration of ‘getline’ was here
main.c:38:5: error: conflicting types for ‘getline’
In file included from /usr/include/stdio.h:62:0,
                 from main.c:8:
/usr/include/sys/stdio.h:37:9: note: previous declaration of ‘getline’ was here
main.c: In function ‘getline’:
main.c:40:5: error: too few arguments to function ‘getline’
main.c:38:5: note: declared here
make[2]: *** [build/Debug/Cygwin_4.x_1-Windows/main.o] Error 1
make[1]: *** [.build-conf] Error 2
make: *** [.build-impl] Error 2
4

4 回答 4

6

getline()函数已在stdio.h头文件中声明。如果您想在文件中重新定义它。只需修改为 my_getline()

在这个 for 循环中,您需要使用getchar()notgetline()

for(i=0; i<lim-1 && (c=getline())!='*' && c!='\n'; i++)   

for(i=0; i<lim-1 && (c=getchar())!='*' && c!='\n'; i++)  

您需要在函数中使用指针将输入输入到 line.other wise s 成为函数的本地。

int my_getline(char *, int); //declaration   

int my_getline(char *s, int lim) //defination
{
//....
}

函数调用是一样的

len= my_getline(line, MAXLINE)

最后使用一些条件机制来退出 main 中的 while 循环。

于 2013-09-12T10:39:46.480 回答
3

getline是 C 标准库中定义的函数stdio.h。编译器希望使用该版本而不是您的版本。

重命名你的函数,例如my_getline,你应该没问题。

于 2013-09-12T10:38:34.053 回答
3

该函数getline已在 中声明stdio.h。将您的函数重命名为其他名称。

于 2013-09-12T10:38:18.977 回答
1

改函数名,getline已经存在

于 2013-09-12T10:38:57.397 回答