用c语言编写程序,对一组英文单词字符串进行按字典排列方式(从小到大)进行冒泡排序,简单明了一点,要有注释
时间: 2024-02-18 15:00:26 浏览: 81
c语言程序实现冒泡法排序
好的,以下是对一组英文单词字符串进行按字典排列方式进行冒泡排序的C语言程序:
```c
#include <stdio.h>
#include <string.h>
int main() {
char words[10][50], temp[50];
int n, i, j;
printf("Enter number of words (max 10): ");
scanf("%d", &n);
printf("Enter %d words: \n", n);
for (i = 0; i < n; i++) {
scanf("%s", words[i]);
}
// Bubble sort
for (i = 0; i < n - 1; i++) {
for (j = 0; j < n - i - 1; j++) {
// Compare two adjacent strings
if (strcmp(words[j], words[j + 1]) > 0) {
// Swap if the previous string is greater than the next string
strcpy(temp, words[j]);
strcpy(words[j], words[j + 1]);
strcpy(words[j + 1], temp);
}
}
}
printf("\nSorted words in alphabetical order: \n");
for (i = 0; i < n; i++) {
printf("%s\n", words[i]);
}
return 0;
}
```
程序中,我们首先定义了一个二维字符数组 `words`,用于存储输入的单词字符串;另外定义了一个 `temp` 字符数组,用于在交换字符串时暂存字符串。
然后我们通过 `scanf()` 函数获取用户输入的单词个数 `n` 和单词字符串,存储到 `words` 数组中。
接下来,我们使用冒泡排序算法对 `words` 数组进行排序。具体实现是嵌套两层循环,外层循环控制比较轮数,内层循环控制每轮比较的次数。在每轮比较中,我们使用 `strcmp()` 函数比较相邻两个字符串的大小,如果前一个字符串大于后一个字符串,则交换这两个字符串的位置。
最后,我们使用循环输出排序后的单词字符串,以便验证排序结果。
阅读全文