用C语言 起泡法排序10个字符串
时间: 2023-08-15 09:14:46 浏览: 112
cyuyan.rar_1AAN_ranct2_用冒泡法把6个字符串进行降序排列
好的,下面是使用 C 语言实现起泡法排序10个字符串的示例代码:
```c
#include <stdio.h>
#include <string.h>
void bubbleSort(char *strings[], int n) {
int i, j;
char *temp;
for (i = 0; i < n; i++) {
for (j = 0; j < n - i - 1; j++) {
if (strcmp(strings[j], strings[j+1]) > 0) {
temp = strings[j];
strings[j] = strings[j+1];
strings[j+1] = temp;
}
}
}
}
int main() {
char *strings[] = {"apple", "banana", "cherry", "date", "elderberry", "fig", "grape", "honeydew", "kiwi", "lemon"};
int n = sizeof(strings) / sizeof(strings[0]);
bubbleSort(strings, n);
printf("Sorted strings:\n");
for (int i = 0; i < n; i++) {
printf("%s\n", strings[i]);
}
return 0;
}
```
输出结果:
```
Sorted strings:
apple
banana
cherry
date
elderberry
fig
grape
honeydew
kiwi
lemon
```
这里使用了指针数组来存储字符串,使用 strcmp() 函数来比较字符串的大小。在每一轮排序结束后,最大的字符串会被排到序列的末尾,因此下一轮的比较范围会缩小一个字符串。最终,字符串数组中的所有元素都按照字典序排好序了。
阅读全文