c语言 给出三个整数Q.,b,c(0≤a,b, C≤100),要求把这三位整数从小到大排序输出
时间: 2024-10-09 08:11:12 浏览: 37
C语言教案第三讲ppt课件.ppt
在C语言中,如果你想对三个整数`a`, `b`, 和`c`(范围0到100)进行排序并输出,你可以通过多种方法实现,比如选择排序、冒泡排序或快速排序等简单算法。这里提供一种简单的冒泡排序示例:
```c
#include <stdio.h>
void bubble_sort(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - 1 - i; j++) {
if (arr[j] > arr[j + 1]) {
// 交换元素
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
int a, b, c;
printf("请输入三个整数(0-100): ");
scanf("%d %d %d", &a, &b, &c);
// 使用临时数组存储输入值,因为原数组会改变
int temp[3] = {a, b, c};
bubble_sort(temp, 3); // 对数组进行排序
printf("按从小到大的顺序排序后:\n");
printf("%d %d %d\n", temp[0], temp[1], temp[2]);
return 0;
}
```
这个程序首先读取用户输入的三个整数,然后通过冒泡排序算法将它们排列好,并最后打印出来。
阅读全文