C语言编写程序实现:有10个地区的面积分别是12,9,18,11,16,27,4,6,19,33,要求按照从大到小的顺序排列输出。
时间: 2024-10-20 14:07:27 浏览: 18
C语言程序设计-程序举例根据三边求三角形面积.pptx
5星 · 资源好评率100%
在C语言中,你可以使用数组来存储这些区域的面积,并结合循环和条件判断来实现排序功能。这里是一个简单的冒泡排序算法的例子:
```c
#include <stdio.h>
#define NUM_REGIONS 10
int regions[NUM_REGIONS] = {12, 9, 18, 11, 16, 27, 4, 6, 19, 33}; // 区域面积
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() {
bubble_sort(regions, NUM_REGIONS);
printf("区域面积按从大到小排序:\n");
for (int i = 0; i < NUM_REGIONS; i++) {
printf("%d ", regions[i]);
}
printf("\n");
return 0;
}
阅读全文