我需要读入多项式的系数(浮点数),并按ctrl-d标记结尾。 然后,我需要读入x值并显示f(x)。还以ctrl-d结尾。
到目前为止,我已经使用scanf
函数进行了尝试。读取系数效果很好,但是第一次输入ctrl-d后,scanf将不会读取x值。
#include <stdio.h>
int main(){
int count = 0;
float poly[33];
while(scanf("%f", &poly[count]) != EOF){ // reading the coeffs
count++;
}
printf("Bitte Stellen zur Auswertung angeben\n");
float x;
float res;
while(scanf("%f", &x) != EOF){ //Here it Fails. Since scanf still sees the EOF from before
res = 0;
for(int i = 1; i < count; i++){
res += poly[i-1] * x + poly[i];
}
printf("Wert des Polynoms an der Stelle %f: %f\n", x, res);
}
}
答案 0 :(得分:2)
在第一个循环之后重新打开stdin
可能会起作用
freopen(NULL, "rb", stdin);
或者考虑@Jonathan Leffler关于clearerr(stdin)
的想法。
使用 Enter 代替使用 Ctrl d 结束输入(关闭stdin
)怎么样?
创建一个函数以读取float
的 line 。
#include <ctype.h>
#include <stdbool.h>
#include <stdio.h>
int read_rest_of_line(FILE *stream) {
int ch;
do {
ch = fgetc(stream);
} while (ch != '\n' && ch != EOF);
return ch;
}
// Read a line of input of float`s. Return count
int read_line_of_floats(float *x, int n) {
bool char_found = false;
int count;
for (count = 0; count < n; count++) {
// Consume leading white-space looking for \n - do not let "%f" do it
int ch;
while (isspace((ch = getchar()))) {
char_found = true;
if (ch == '\n') {
return count;
}
}
if (ch == EOF) {
return (count || char_found) ? count : EOF;
}
ungetc(ch, stdin);
if (scanf("%f", &x[count]) != 1) {
read_rest_of_line(stdin);
return count;
}
}
read_rest_of_line(stdin);
return count;
}
上面仍然需要进行一些有关边缘情况的工作:n==0
,当发生罕见的输入错误时,size_t
,非数字输入的处理等。
然后在需要float
输入时使用它。
#define FN 33
int main(void) {
float poly[FN];
int count = read_line_of_floats(poly, FN);
// Please specify positions for evaluation
printf("Bitte Stellen zur Auswertung angeben\n");
float x;
float res;
while (read_line_of_floats(&x, 1) == 1) {
res = 0;
for (int i = 1; i < count; i++) {
res += poly[i - 1] * x + poly[i];
}
// Value of the polynomial at the location
printf("Wert des Polynoms an der Stelle %f: %f\n", x, res);
}
}