5.5 程序举例,所有的可执行样例
#include <stdio.h>main()
{/* 【例 4.11】输入三个整数,输出最大数和最小数。 */// int a, b, c, max, min;// printf("input three numbers: ");// scanf("%d%d%d", &a, &b, &c);// if (a > b)// {// max = a;// min = b;// }// else// {// max = b;// min = a;// }// if (max < c)// max = c;// else if (min > c)// min = c;// printf("max=%d\nmin=%d", max, min);/* 本程序中,首先比较输入的 a,b 的大小,并把大数装入 max,小数装入 min 中,然后再与 c 比较,若 max 小于 c,则把 c 赋予 max;如果 c 小于 min,则把 c 赋予 min。因此 max内总是最大数,而 min 内总是最小数。最后输出 max 和 min 的值即可。 *//* 【例 4.12】计算器程序。用户输入运算数和四则运算符,输出计算结果。 */float a, b;char c;printf("input expression: a+(-,*,/)b \n");scanf("%f%c%f", &a, &c, &b);switch (c){case '+':printf("%f\n", a + b);break;case '-':printf("%f\n", a - b);break;case '*':printf("%f\n", a * b);break;case '/':printf("%f\n", a / b);break;default:printf("input error\n");}/* 本例可用于四则运算求值。switch 语句用于判断运算符,然后输出运算值。当输入运算符不是+,-,*,/时给出错误提示。 */return 0;
}