C语言降序排序整数并输出
时间: 2024-05-07 15:24:00 浏览: 84
c代码-C语言三个数从小到大排序/输出: 任意输入 3 个整数,编程实现对这 3 个整数由小到大进行排序。 冒泡排序的动画 https://haokan.baidu.com/v?vid=8080732080990475789&pd=bjh&fr=bjhauthor&type=video
Sure, 可以使用C语言中的qsort()函数来实现降序排序整数,代码如下:
```
#include <stdio.h>
#include <stdlib.h>
// 比较函数,用于qsort()函数中
int compare(const void* a, const void* b) {
// 转换为指针
const int* x = (const int*) a;
const int* y = (const int*) b;
// 返回y-x实现降序排序
return *y - *x;
}
int main() {
int nums[] = { 8, 2, 7, 5, 1, 9, 3, 6, 4 };
int n = sizeof(nums) / sizeof(nums[0]);
// 使用qsort()函数进行降序排序
qsort(nums, n, sizeof(int), compare);
// 输出排序后的结果
printf("Sorted array in descending order: ");
for (int i = 0; i < n; i++) {
printf("%d ", nums[i]);
}
return 0;
}
```
执行结果:
```
Sorted array in descending order: 9 8 7 6 5 4 3 2 1
```
阅读全文