第一题:在屏幕上打印9*9乘法口诀表。
//#define _CRT_SECURE_NO_WARNINGS 1
(VS编译器下使用 scanf 时需要在最开始加上这行代码)
#include<stdio.h>
#include<stdlib.h>
int main()
{
int i = 0;
for (i = 1; i <= 9; i++)
{
int j = 0;
for (j = 1; j <= i; j++)
{
printf("%d*%d=%-3d", i, j, i*j);
}
printf("\n");
}
system("pause");
return 0;
}
第二题:求两个整数的较大值。
#include<stdio.h>
#include<stdlib.h>
int main()
{
int m = 0;
int n = 0;
scanf("%d %d", &m, &n);
if (m > n)
{
printf("%d\n", m);
}
else
{
printf("%d\n", n);
}
system("pause");
return 0;
}
第三题:求10个整数中的最大值。
#include<stdio.h>
#include<stdlib.h>
int main()
{
int arr[10] = { 1,2,3,4,5,6,7,8,9,0 };
int i = 0;
int max = arr[0];
for (i = 1; i < 10; i++)
{
if (arr[i] > max)
max = arr[i];
}
printf("max=%d\n", max);
system("pause");
return 0;
}
第四题:求1到100之间的素数。
#include<stdio.h>
#include<stdlib.h>
int main()
{
int i = 0;
int count = 0;
for (i = 1; i <= 100; i+=2)
{
int j = 0;
for (j = 2; j <= i / 2; j++)
{
if (i%j == 0)
break;
}
if (j > i / 2)
{
printf("%d ", i);
count++;
}
}
printf("\ncount=%d\n", count);
system("pause");
return 0;
}
第五题:求两个整数的最大公约数。
#include<stdio.h>
#include<stdlib.h>
int main()
{
int a = 0;
int b = 0;
scanf("%d %d", &a, &b);
while (a%b != 0)
{
int tmp = 0;
tmp = a;
a = b;
b = tmp;
}
printf("两个数的最大公约数为:%d\n", b);
system("pause");
return 0;
}
第六题:求两个整数的最小公倍数。
#include<stdio.h>
#include<stdlib.h>
int main()
{
int a = 0;
int b = 0;
int tmp = 0;
scanf("%d %d", &a, &b);
if (a < b)
{
tmp = a;
a = b;
b = tmp;
}
int x = a;
int y = b;
while (y != 0)
{
tmp = x % y;
x = y;
y = tmp;
}
printf("两个数的最小公倍数为:%d\n", a*b / x);
system("pause");
return 0;
}