代码一:
#include <stdio.h>
#include <string.h>
//在主函数中输入10个等长字符串,用另一个函数对它们排序
//然后在主函数输出这10个已排好序的字符串
//先写出排序函数,我们就默认升序
void sortString(char *str[]) {
//用冒泡 因为冒泡简单
for (int i = 0; i < 10 - 1; i++) {
for (int j = 0; j < 10 - i - 1; j++) {
if (strcmp(str[j], str[j + 1]) > 0) {
// 我直接交换字符串指针
// 也可以如下注释 使用strcpy进行字符串拷贝
// char temp[100];
// strcpy(temp, str[j + 1]);
// strcpy(str[j + 1], str[j]);
// strcpy(str[j], temp);
char *temp = str[j + 1];
str[j + 1] = str[j];
str[j] = temp;
}
}
}
}
int main() {
//字符串在c语言中有两种方法存储 1、二维数组 2、指针数组
//我们使用指针数组
char *str[10];
printf("请输入10个等长字符串:");
for (int i = 0; i < 10; i++) {
str[i] = (char *)malloc(100 * sizeof(char));
scanf("%s", str[i]);
// 清空输入流
rewind(stdin);
}
//调用函数
sortString(str);
// 输出已排序的字符串
printf("已排好序的字符串:\n");
for (int i = 0; i < 10; i++) {
printf("%s \n", str[i]);
free(str[i]); // 释放内存
}
}
代码二:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_LENGTH 100
//排序函数
void sortString(char *str[], int n) {
// 冒泡排序
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (strcmp(str[j], str[j + 1]) > 0) {
char *temp = str[j + 1];
str[j + 1] = str[j];
str[j] = temp;
}
}
}
}
int main() {
char *str[10]; // 指针数组,用于存储10个字符串
char temp[MAX_LENGTH]; // 临时缓冲区
printf("请输入10个等长字符串:\n");
for (int i = 0; i < 10; i++) {
// 读取字符串并分配内存
if (scanf("%s", temp) != 1) { // 限制最大读取长度为99,预留一个字符给空字符'\0'
printf("输入错误或达到文件结束\n");
return 1;
}
// 为字符串分配内存并复制内容
str[i] = malloc(strlen(temp) + 1); // +1 用于存储空字符'\0'
strcpy(str[i], temp);
}
// 调用排序函数
sortString(str, 10);
// 输出已排序的字符串
printf("已排好序的字符串:\n");
for (int i = 0; i < 10; i++) {
printf("%s\n", str[i]);
free(str[i]); // 释放内存
}
return 0;
}