(1)程序功能:定义一个int型的一维数组,数组的长度由键盘输入,为数组中的元素随机赋值(随机数在0~100)。依次完成如下功能: (a) 输出数组中的元素。每行输出最多5个数字,数字之间用空格键分隔; (b) 计算数组中元素之和,并输出; (c) 求出数组中元素的最大值及其位置(若有多个相同的最大值,仅输出第一个),并输出。
时间: 2024-02-12 09:02:19 浏览: 56
好的,下面是 C++ 代码实现:
```c++
#include <iostream>
#include <cstdlib>
#include <ctime>
using namespace std;
int main()
{
// 输入数组长度
int n;
cout << "请输入数组长度:";
cin >> n;
// 创建空数组
int arr[n];
// 随机赋值
srand(time(NULL)); // 设置随机数种子
for (int i = 0; i < n; i++) {
arr[i] = rand() % 101; // 生成0~100之间的随机数
}
// (a) 输出数组中的元素
cout << "数组中的元素为:" << endl;
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
if ((i + 1) % 5 == 0) {
cout << endl;
}
}
// (b) 计算数组中元素之和
int sum = 0;
for (int i = 0; i < n; i++) {
sum += arr[i];
}
cout << "数组中元素之和为:" << sum << endl;
// (c) 求出数组中元素的最大值及其位置
int max_value = arr[0];
int max_index = 0;
for (int i = 1; i < n; i++) {
if (arr[i] > max_value) {
max_value = arr[i];
max_index = i;
}
}
cout << "数组中元素的最大值为:" << max_value << endl;
cout << "最大值所在位置为:" << max_index << endl;
return 0;
}
```
注意:以上代码需要在 C++ 环境下编译运行,可以使用 g++ 编译器进行编译。
阅读全文