有一数组内存放10个整数,要求找出最大数和它的下标, 然后把它和数组中第0个元素对换位置。C
时间: 2024-02-01 22:15:09 浏览: 60
以下是C语言代码实现:
```c
#include <stdio.h>
int main() {
int arr[10] = {5, 6, 3, 2, 9, 7, 8, 1, 4, 0}; // 假设数组中已经有了10个整数
int max = arr[0]; // 假设第一个元素为最大值
int max_index = 0; // 记录最大值的下标
int temp; // 用于交换的临时变量
// 遍历数组,找出最大值和其下标
for (int i = 1; i < 10; i++) {
if (arr[i] > max) {
max = arr[i];
max_index = i;
}
}
// 将最大值和第0个元素交换位置
temp = arr[0];
arr[0] = max;
arr[max_index] = temp;
// 输出结果
printf("最大值为%d,下标为%d\n", max, max_index);
printf("交换后的数组为:\n");
for (int i = 0; i < 10; i++) {
printf("%d ", arr[i]);
}
printf("\n");
return 0;
}
```
输出结果:
```
最大值为9,下标为4
交换后的数组为:
9 6 3 2 5 7 8 1 4 0
```
阅读全文