对十个整数进行排序c++
时间: 2023-08-17 15:32:28 浏览: 84
可以使用C++ STL中的sort函数对十个整数进行排序,代码如下:
```c++
#include <iostream>
#include <algorithm> // 包含sort函数
using namespace std;
int main()
{
int nums[10] = {5, 2, 9, 7, 3, 8, 1, 6, 4, 0}; // 待排序的十个整数
sort(nums, nums+10); // 使用sort函数排序
for(int i=0; i<10; i++)
{
cout << nums[i] << " "; // 输出排序后的结果
}
return 0;
}
```
输出结果为:
```
0 1 2 3 4 5 6 7 8 9
```
相关问题
用选择法对十个整数排序用c++编码
以下是使用 C++ 编写的选择排序算法,可以对十个整数进行排序:
```
#include <iostream>
using namespace std;
void selectionSort(int arr[], int n)
{
int i, j, minIndex, tmp;
for (i = 0; i < n - 1; i++) {
minIndex = i;
for (j = i + 1; j < n; j++)
if (arr[j] < arr[minIndex])
minIndex = j;
if (minIndex != i) {
tmp = arr[i];
arr[i] = arr[minIndex];
arr[minIndex] = tmp;
}
}
}
int main()
{
int arr[10] = { 64, 25, 12, 22, 11, 75, 21, 90, 8, 2 };
int n = sizeof(arr) / sizeof(arr[0]);
selectionSort(arr, n);
cout << "Sorted array: \n";
for (int i = 0; i < n; i++)
cout << arr[i] << " ";
return 0;
}
```
输出结果为:
```
Sorted array:
2 8 11 12 21 22 25 64 75 90
```
编写C++冒泡法对10个整数进行排序(降序)。10个整数用cin输入
在C++中,你可以使用冒泡排序算法对10个整数进行降序排列。下面是一个简单的示例程序,它首先从用户那里通过`cin`输入这10个整数,然后使用冒泡法进行降序排序:
```cpp
#include <iostream>
void bubbleSort(int arr[], int n) {
for (int i = 0; i < n - 1; ++i) {
for (int j = 0; j < n - i - 1; ++j) {
if (arr[j] < arr[j + 1]) { // 比较并交换,降序排列
std::swap(arr[j], arr[j + 1]);
}
}
}
}
int main() {
const int size = 10;
int arr[size];
std::cout << "请输入10个整数(以空格分隔):" << std::endl;
for (int i = 0; i < size; ++i) {
std::cin >> arr[i];
}
bubbleSort(arr, size);
std::cout << "按降序排列后的数组:";
for (int num : arr) {
std::cout << num << " ";
}
std::cout << std::endl;
return 0;
}
```
在这个程序中,`bubbleSort`函数实现了冒泡排序算法,而在`main`函数中,我们首先获取用户的输入,然后调用这个排序函数,最后打印出排序后的结果。
阅读全文