题目描述:
将一个四位数,反向输出。
输入描述:
输入一个整数n(1000<=n<=9999)。
输出描述:
针对每组输入,反向输出对应的四位数。
输入:
1234
输出:
4321
参考代码:
#include
int main()
{
int n = 0;
scanf("%d", &n);
while (n)
{
printf("%d",n%10);
n /= 10;
}
printf("\n");
return 0;
}
题目描述:
实现字母的大小写转换。多组输入输出。
输入描述:
多组输入,每一行输入大写字母。
输出描述:
针对每组输入输出对应的小写字母。
输入:
A
B
输出:
a
b
参考代码:
#include
int main()
{
int ch = 0;
while ((ch = getchar()) != EOF)
{
printf("%c\n", ch+32);
getchar();
}
return 0;
}
题目描述:
KK学会了printf在屏幕输出信息,他想输出一架小飞机。请帮他编写程序输出这架小飞机。
输入描述:
无
输出描述:
**
**
************
************
* *
* *
参考代码:
#include
int main()
{
printf(" ** \n");
printf(" ** \n");
printf("************\n");
printf(" * * \n");
printf(" * * \n");
return 0;
}
题目描述:
BoBo写了一个十六进制整数ABCDEF,他问KK对应的十进制整数是什么。
输入描述:
无
输出描述:
十六进制整数ABCDEF对应的十进制数,所占宽域为15。
参考代码:
#include
int main()
{
printf("%15d\n", 0xABCDEF);
return 0;
}
题目描述:
KK写了个输出“Hello world!”程序,BoBo告诉他printf函数有返回值,你能帮他写个程序输出printf(“Hello world”)的返回值吗?
输入描述:
无
输出描述:
包括两行,
第一行为“Hello world!”
第二行为printf(“Hello world!”)调用后的返回值。
参考代码:
#include
int main()
{
printf("\n%d", printf("Hello world!"));
return 0;
}
题目描述:
依次输入一个学生的学号,以及3科(C语言、数学、英语)成绩,在屏幕上输出该学生的学号,3科成绩。
输入描述:
学号以及3科成绩,学号和成绩之间用英文分号隔开,成绩之间用英文逗号隔开。
输出描述:
学号,3科成绩,输出格式详见输出样例。
输入:
17140216;80.845,90.55,100.00
输出:
The each subject score of of No. 17140216 is 80.85,90.55,100.00
参考代码:
#include
int main()
{
int id = 0;
float c_score = 0;
float math_score = 0;
float eng_score = 0;
scanf("%d;%f,%f,%f", &id, &c_score, &math_score, &eng_score);
printf("The each subject score of of No. %d is %.2f, %.2f, %.2f.", id, c_score, math_score, eng_score);
return 0;
}
题目描述
从键盘任意输入一个字符,编程判断是否是字母(包括大小写)。
输入描述:
多组输入,每行输入包括一个字符。
输出描述:
针对每行输入,输出该字符是字母(YES)或不是(NO)。
输入:
H
9
输出:
YES
NO
参考代码:
#include
#include
int main()
{
int ch = 0;
while ((ch = getchar()) != EOF)
{
if (isalpha(ch))
{
printf("YES");
}
else
{
printf("NO");
}
getchar();
printf("\n");
}
return 0;
}
题目描述
输入一个字符,用它构造一个三角形金字塔。
输入描述:
输入只有一行,一个字符。
输出描述:
该字符构成的三角形金字塔。
输入:
1
输出:
1
1 1
1 1 1
1 1 1 1
1 1 1 1 1
参考代码:
#include
int main()
{
int i = 0;
char n = 0;
scanf("%c", &n);
for (i = 0; i < 5; i++)
{
int j = 0;
for (j = 0; j < 4-i; j++)
{
printf(" ");
}
for (int j = 0; j <= i; j++)
{
printf("%c ",n);
}
printf("\n");
}
}
题目描述:
BoBo教KiKi字符常量或字符变量表示的字符在内存中以ASCII码形式存储。BoBo出了一个问题给KK,转换以下ASCII码为对应字符并输出他们。
73, 32, 99, 97, 110, 32, 100, 111, 32, 105, 116 , 33
输入描述:
无
输出描述:
转换输出题目中给出的所有ASCII到对应的字符。
参考代码:
#include
int main()
{
int i = 0;
char arr[] = { 73, 32, 99, 97, 110, 32, 100, 111, 32, 105, 116 , 33 };
int sz = sizeof(arr) / sizeof(arr[0]);
for (i = 0; i < sz; i++)
{
printf("%c",arr[i]);
}
return 0;
}
题目描述
输入一个人的出生日期(包括年月日),将该生日中的年、月、日分别输出。
输入描述:
输入只有一行,出生日期,包括年月日,年月日之间的数字没有分隔符。
输出描述:
三行,第一行为出生年份,第二行为出生月份,第三行为出生日期。输出时如果月份或天数为1位数,需要在1位数前面补0。
输入:
20130225
输出:
year=2013
month=02
date=25
参考代码:
#include
int main()
{
int year = 0;
int month = 0;
int day = 0;
scanf("%4d%2d%2d",&year, &month, &day);
printf("year=%d\n", year);
printf("month=%02d\n", month);
printf("day=%02d\n", day);
return 0;
}
C语言练习题110例【11-20】