c语言起泡法排序10个数
时间: 2023-11-20 07:05:35 浏览: 127
好的,这个问题是关于算法的问题。使用C语言可以使用起泡法对10个数进行排序,具体实现方式可以参考以下代码:
```c
void bubbleSort(int arr[], int n){
int i, j;
for (i = 0; i < n-1; i++)
for (j = 0; j < n-i-1; j++)
if (arr[j] > arr[j+1])
swap(&arr[j], &arr[j+1]);
}
void swap(int *xp, int *yp){
int temp = *xp;
*xp = *yp;
*yp = temp;
}
int main(){
int arr[10] = {5, 1, 9, 3, 7, 2, 8, 4, 6, 0};
int n = 10;
bubbleSort(arr, n);
printf("排序后的数组为: \n");
for (int i=0; i < n; i++)
printf("%d ", arr[i]);
printf("\n");
return 0;
}
```
通过起泡法排序,可以将10个数从小到大进行排序。希望这个答案可以帮助你解决问题。
相关问题
用C语言 起泡法排序10个字符串
好的,下面是使用 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() 函数来比较字符串的大小。在每一轮排序结束后,最大的字符串会被排到序列的末尾,因此下一轮的比较范围会缩小一个字符串。最终,字符串数组中的所有元素都按照字典序排好序了。
c语言起泡法排序10个字符由大到小排序
好的,下面是c语言实现的起泡法排序10个字符由大到小排序的代码:
```c
#include <stdio.h>
void bubble_sort(char arr[], int len) {
int i, j;
char temp;
for (i = 0; i < len - 1; i++) {
for (j = 0; j < len - 1 - i; j++) {
if (arr[j] < arr[j + 1]) {
temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
char arr[] = {'g', 'f', 'e', 'd', 'c', 'b', 'a', 'k', 'j', 'i'};
int len = sizeof(arr) / sizeof(arr[0]);
int i;
bubble_sort(arr, len);
printf("排序后的结果为:\n");
for (i = 0; i < len; i++) {
printf("%c ", arr[i]);
}
printf("\n");
return 0;
}
```
输出结果为:
```
排序后的结果为:
k j i g f e d c b a
```
阅读全文