题目:输出9*9口诀。
1.程序分析:分行与列考虑,共9行9列,i控制行,j控制列。
2.程序源代码:
[C] 纯文本查看 复制代码 #include "stdio.h"
#include "conio.h"
main()
{
int i,j,result;
printf("\n");
for (i=1;i<10;i++)
{
for(j=1;j<10;j++)
{
result=i*j;
printf("%d*%d=%-3d",i,j,result); /*-3d表示左对齐,占3位*/
}
printf("\n"); /*每一行后换行*/
}
getch();
}
自写代码:
[C] 纯文本查看 复制代码 #define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
#include <string.h>
int main() {
for (int x = 1; x < 10; x++)
{
for (size_t y = 1; y <= x; y++)
{
printf("%d*%d=%d ", y,x,x*y);
}
printf("\n");
}
return 0;
}
【程序9】
题目:要求输出国际象棋棋盘。
1.程序分析:用i控制行,j来控制列,根据i+j的和的变化来控制输出黑方格,还是白方格。
2.程序源代码:
[C] 纯文本查看 复制代码 #include "stdio.h"
#include "conio.h"
main()
{
int i,j;
for(i=0;i<8;i++)
{
for(j=0;j<8;j++)
if((i+j)%2==0)
printf("%c%c",219,219);
else
printf(" ");
printf("\n");
}
getch();
}
自写代码:
[C] 纯文本查看 复制代码 #define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
#include <string.h>
int main() {
int y = 0;
int state = 0;
while (y<8)
{
for (int x = 0; x < 8; x++)
{
if (state % 2 == 0 )
{
printf("%c ", '0');
}
else
{
printf("%c ", '1');
}
state++;
}
printf("\n");
state++;
y++;
}
return 0;
}
|