编写程序,使用随机函数“rand()”,生成10个[1,100]之间的整数并存于数组中,首先输出数组各元素值。然后求所有元素的平均值,并统计数组中大于30且是5的倍数的元素个数,最后输出结果。
时间: 2024-05-13 09:18:33 浏览: 142
以下是使用C++编写的程序:
```c++
#include <iostream>
#include <cstdlib>
#include <ctime>
using namespace std;
int main() {
const int n = 10;
int arr[n];
srand(time(NULL)); // 设置随机数种子为当前时间
for (int i = 0; i < n; i++) {
arr[i] = rand() % 100 + 1; // 生成1到100之间的随机数
cout << arr[i] << " ";
}
cout << endl;
int sum = 0, count = 0;
for (int i = 0; i < n; i++) {
sum += arr[i];
if (arr[i] > 30 && arr[i] % 5 == 0) {
count++;
}
}
double avg = (double) sum / n;
cout << "平均值为:" << avg << endl;
cout << "大于30且是5的倍数的元素个数为:" << count << endl;
return 0;
}
```
首先定义一个大小为10的数组,然后使用随机函数 `rand()` 生成1到100之间的随机整数,并存储在数组中。输出数组各元素的值后,使用循环计算数组元素的总和,并统计大于30且是5的倍数的元素的个数。最后,计算平均值并输出结果。
阅读全文