从键盘随机输入任意10个乱序整数,请设计程序,实现排序输出,要求排成递增系列。
时间: 2024-09-09 19:03:58 浏览: 31
要从键盘随机输入10个乱序整数并对其进行排序,你可以使用冒泡排序算法,这是一种简单的排序算法,适用于小型数据集。这里是一个示例程序:
```c
#include <stdio.h>
#include <stdlib.h> // 需要stdlib.h库用于rand()函数
#include <time.h> // 需要time库获取当前时间,确保随机数生成的一致性
void bubble_sort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
// 交换元素
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
srand(time(0)); // 设置随机数种子,每次运行都会得到不同的随机序列
int n = 10;
int arr[n]; // 定义数组存储10个整数
printf("请输入10个整数:\n");
for (int i = 0; i < n; i++) {
scanf("%d", &arr[i]);
}
bubble_sort(arr, n); // 对数组进行排序
printf("\n排序后的数组(递增):\n");
for (int i = 0; i < n; i++) {
printf("%d ", arr[i]);
}
return 0;
}
```
当你运行这个程序时,它会提示你输入10个整数,然后对这些数字进行排序后打印出来。由于我们使用了随机数,所以每次运行的结果可能会不同。
阅读全文