K&R练习1-16 clang – getline的冲突类型

我正在使用K&R,使用Clang作为我的编译器。

使用Clang编译时,练习1-16会产生“getline’的冲突类型”错误。 我猜是因为其中一个默认库有一个getline函数。

在编写K&R练习时,我应该向Clang传递哪些选项以避免包含任何其他内容?

要修改的运动样本是:

#include  #define MAXLINE 1000 int getline(char line[], int maxline); void copy(char to[], char from[]); /* print longest input line */ main() { int len; /* current line length */ int max; /* maximum line lenght seen so far */ char line[MAXLINE]; /* current input line */ char longest[MAXLINE]; /* longest line saved here */ max = 0; while ((len = getline(line, MAXLINE)) > 0) if ( len > max) { max = len; copy(longest, line); /* line -> longest */ } if (max > 0) /* there was a line */ printf("\n\nLength: %d\nString: %s", max -1, longest); return 0; } /* getline: read a line into s, return length */ int getline(char s[], int lim) { int c,i; for (i=0; i<lim-1 && (c=getchar()) != EOF && c!='\n'; ++i) s[i] = c; if (c == '\n') { s[i] = c; ++i; } s[i] = '\0'; return i; } /* copy: copy "from" into "to"; assume to is big enough */ void copy(char to[], char from[]) { int i; i = 0; while((to[i] = from[i]) != '\0') ++i; } 

调用时来自Clang的错误: cc ex1-16.c -o ex1-16

 ex1-16.c:4:5: error: conflicting types for 'getline' int getline(char line[], int maxline); ^ /usr/include/stdio.h:449:9: note: previous declaration is here ssize_t getline(char ** __restrict, size_t * __restrict, FILE *... ^ ex1-16.c:17:38: error: too few arguments to function call, expected 3, have 2 while ((len = getline(line, MAXLINE)) > 0) ~~~~~~~ ^ /usr/include/stdio.h:449:1: note: 'getline' declared here ssize_t getline(char ** __restrict, size_t * __restrict, FILE *... ^ ex1-16.c:29:5: error: conflicting types for 'getline' int getline(char s[], int lim) ^ /usr/include/stdio.h:449:9: note: previous declaration is here ssize_t getline(char ** __restrict, size_t * __restrict, FILE *... ^ 3 errors generated. 

问题只是你的系统已经提供了一个名为getline的函数。 man getline应该告诉你它的签名。 在我的系统上它是:

 ssize_t getline(char ** restrict linep, size_t * restrict linecapp, FILE * restrict stream); 

你可以匹配它,或者只是将你的函数重命名为’mygetline’或类似的东西。

或者,如果您可以避免包含stdio.h ,则可以完全避免此问题。

至于你的最后一个问题:

在编写K&R练习时,我应该向Clang传递哪些选项以避免包含任何其他内容?

您不能 – 系统标题就是它们,并且自从K&R于1988年最后一次修订以来,可能已经移动了。从那以后已经有多个C标准更新。 在某种程度上,K&R真正开始长期存在。

这是一个类似的问题: 为什么在编译K&R2第1章中的最长行示例时,我会得到“getline的冲突类型”错误?

这是同样的问题,但与gcc。 解决方案是将编译器置于ANSI C模式,该模式禁用GNU / POSIX扩展。

请尝试以下方法:

 $ clang test.c -ansi 

或者

 $ clang test.c -std=c89 

在我的机器上成功测试:

 $ clang --version clang version 3.3 (tags/RELEASE_33/rc2) Target: x86_64-redhat-linux-gnu Thread model: posix 

在我大学的机器上使用这个编译器,甚至不需要为成功编译指定ANSI模式:

 ->clang --version Apple clang version 1.7 (tags/Apple/clang-77) (based on LLVM 2.9svn) Target: x86_64-apple-darwin10 Thread model: posix