用c语言定义一个有10个元素的一维数组,输入10个数存入数组中,输出能被3或7整除的数
时间: 2024-05-15 17:16:39 浏览: 75
```c
#include <stdio.h>
int main() {
int arr[10];
int i;
// 输入10个数
printf("请输入10个整数:\n");
for (i = 0; i < 10; i++) {
scanf("%d", &arr[i]);
}
// 输出能被3或7整除的数
printf("能被3或7整除的数有:");
for (i = 0; i < 10; i++) {
if (arr[i] % 3 == 0 || arr[i] % 7 == 0) {
printf("%d ", arr[i]);
}
}
return 0;
}
```
相关问题
c语言编写将1-200中所有能被6整除但不能被4整除的数存到一个一维数组中并输出
下面是使用C语言编写的将1-200中所有能被6整除但不能被4整除的数存到一个一维数组中并输出的代码:
```c
#include <stdio.h>
#define MAX_SIZE 50
int main() {
int arr[MAX_SIZE], i, j, count = 0;
for (i = 1; i <= 200; i++) {
if (i % 6 == 0 && i % 4 != 0) {
arr[count] = i;
count++;
}
}
printf("The numbers that meet the requirements are: \n");
for (j = 0; j < count; j++) {
printf("%d ", arr[j]);
}
printf("\n");
return 0;
}
```
上述代码中,首先定义了一个大小为50的一维数组`arr`,用于存储符合要求的数。接着使用for循环从1到200遍历每个数,判断当前数是否能被6整除但不能被4整除,如果是,则将其存入数组中。最后使用另一个for循环遍历数组并输出其中的数。
运行上述代码,输出结果如下:
```
The numbers that meet the requirements are:
6 18 30 42 54 66 78 90 102 114 126 138 150 162 174 186 198
```
可以看到,输出了1-200中所有能被6整除但不能被4整除的数。
C语言随机函数找出其中能被3或5整除的数,存储到另一个一维数组中,并输出
好的,以下是代码实现:
```c
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
#define SIZE 10 // 数组大小
int main()
{
int arr[SIZE], res[SIZE]; // 定义原数组和结果数组
int count = 0; // 计数器
srand(time(NULL)); // 初始化随机数种子
// 生成随机数并存入原数组
for (int i = 0; i < SIZE; i++) {
arr[i] = rand() % 100 + 1; // 生成1-100之间的随机数
printf("%d ", arr[i]); // 输出原数组中的元素
if (arr[i] % 3 == 0 || arr[i] % 5 == 0) { // 如果能被3或5整除
res[count++] = arr[i]; // 存入结果数组中
}
}
printf("\nResult:\n");
// 输出结果数组中的元素
for (int i = 0; i < count; i++) {
printf("%d ", res[i]);
}
return 0;
}
```
运行结果类似如下:
```
68 22 36 61 90 92 91 51 23 50
Result:
36 90 51 50
```
其中,原数组中的元素是随机生成的,每次运行结果都可能不同。而结果数组中只有能被3或5整除的数。
阅读全文