用c语言输入整数,找出其中最小的数,将它与最前面的数交换后输出这些数
时间: 2024-12-16 17:19:51 浏览: 3
在C语言中,你可以通过循环遍历数组并跟踪最小值的位置来完成这个任务。下面是一个简单的示例程序,它会提示用户输入一组整数,并在找到最小值后将其与第一个元素交换:
```c
#include <stdio.h>
void find_min_and_exchange(int arr[], int n) {
// 初始化最小值为第一个元素和其索引
int min = arr[0];
int min_index = 0;
// 遍历数组查找最小值
for (int i = 1; i < n; i++) {
if (arr[i] < min) {
min = arr[i];
min_index = i;
}
}
// 如果找到最小值,与第一个元素交换
if (min_index != 0) {
int temp = arr[min_index];
arr[min_index] = arr[0];
arr[0] = temp;
}
// 输出处理后的数组
printf("After swapping the smallest number with the first:\n");
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
}
int main() {
int num_count;
printf("Enter the number of elements in the array: ");
scanf("%d", &num_count);
int arr[num_count];
printf("Enter %d integers: ", num_count);
for (int i = 0; i < num_count; i++) {
scanf("%d", &arr[i]);
}
find_min_and_exchange(arr, num_count);
return 0;
}
```
当你运行这个程序,按照提示输入数值,程序会找出并交换数组中的最小值,然后打印出整个数组。
阅读全文