C Primer Plus第二章课后习题参考答案
1、编写一个程序,调用printf()函数在一行上输出您的名和姓,再调用一次printf()函数在两个单独的行上输出您的名和姓,然后调用一对printf()函数在一行上输出您的名和姓。输出应如下所示(当然里面要换成您的姓名):
Anton Brucker 第一个输出语句
Anton 第二个输出语句
Brucker 仍然是第二个输出语句
Anton Brucker 第三个和第四个输出语句
参考代码:
#include<stdio.h>
int main(void)
{
printf("Anton Brucker\n");
printf("Anton\nBrucker\n");
printf("Anton\n");
printf("Brucker\n");
return 0;
}
程序运行结果:
2、编写一个程序输出您的姓名和地址。
参考代码:
#include<stdio.h>
int main(void)
{
printf("My name is : Anton Brucker\n");
printf("My address is :Shen Zhen\n");
return 0;
}
程序运行结果:
3、编写一个程序,把您的年龄转换成天数并显示二者的值。不用考虑平年和闰年的问题。
参考代码:
#include<stdio.h>
int main(void)
{
int age;
int day;
age = 18;
day = age * 365;
printf("My age is %d, and the day is %d.\n", age, day);
return 0;
}
程序运行结果:
4、编写一个能够产生下面输出的程序:
For he’s a jolly good fellow!
For he’s a jolly good fellow!
For he’s a jolly good fellow!
Which nobody can deny!
程序除了main()函数之外,要使用两个用户定义的函数:一个用于把上面的夸奖消息输出一次;另一个用于把最后一行输出一次。
参考代码:
#include<stdio.h>
void praise(void);
void endLine(void);
int main(void)
{
praise();
praise();
praise();
endLine();
return 0;
}
void praise(void)
{
printf("For he's a jolly good fellow!\n");
}
void endLine(void)
{
printf("Which nobody can deny!");
}
程序运行结果:
5、编写一个程序,创建一个名为toes的整数变量。让程序把toes设置为10。再让程序计算两个toes的和以及toes的平方。程序应该输出所有的三个值,并分别标识它们。
参考代码:
#include<stdio.h>
int main(void)
{
int toes, toes_sum, toes_square;
toes = 10;
toes_sum = toes + toes;
toes_square = toes * toes;
printf("The toes is %d,the sum of toes is %d, the square of toes is %d.\n", toes, toes_sum, toes_square);
return 0;
}
程序运行结果:
6、编写一个能够产生下列输出的程序:
Smile! Smile! Smile!
Smile! Smile!
Smile!
在程序中定义一个能显示字符串Smile!一次的函数,并在需要时使用该函数。
参考代码:
#include<stdio.h>
void smile(void);
int main(void)
{
smile();
smile();
smile();
printf("\n");
smile();
smile();
printf("\n");
smile();
printf("\n");
return 0;
}
void smile(void)
{
printf("Smile!");
}
程序运行结果:
7、编写一个程序,程序中要调用名为one_three()的函数。该函数要在一行中显示单词”one”,再调用two()函数,然后再在另一行中显示单词"three"。函数two()应该能在一行中显示单词"two"。main()函数应该在调用one_three()函数之前显示短语”starting now:”,函数调用之后要显示”done!”。这样,最后的输出结果应如下显示:
starting now:
one
two
three
done!
参考代码:
#include<stdio.h>
void one_three(void);
void two(void);
int main(void)
{
printf("staring now:\n");
one_three();
printf("done!\n");
return 0;
}
void one_three(void)
{
printf("one\n");
two();
printf("three\n");
}
void two(void)
{
printf("two\n");
}
程序运行结果:
上一篇: 何为XHTML??