给定一组整数,使用选择排序算法将其排列成从小到大、绝对值从大到小两种结果。第一行输入正整数n,表示输入的整数个数,2<=n<=100。 第二行是n个整数。输出n个整数的从小到大、绝对值从大到小的两种排序结果。C++
时间: 2023-06-24 10:03:50 浏览: 89
排序算法(用C++描述)
以下是C++代码实现:
```cpp
#include <iostream>
#include <cmath>
using namespace std;
void selectionSort(int arr[], int n) { // 选择排序
for (int i = 0; i < n - 1; i++) {
int minIndex = i;
for (int j = i + 1; j < n; j++) {
if (arr[j] < arr[minIndex])
minIndex = j;
}
swap(arr[i], arr[minIndex]);
}
}
void absoluteSelectionSort(int arr[], int n) { // 按绝对值从大到小排序
for (int i = 0; i < n - 1; i++) {
int maxIndex = i;
for (int j = i + 1; j < n; j++) {
if (abs(arr[j]) > abs(arr[maxIndex]))
maxIndex = j;
}
swap(arr[i], arr[maxIndex]);
}
}
int main() {
int n;
cin >> n;
int arr[n];
for (int i = 0; i < n; i++)
cin >> arr[i];
selectionSort(arr, n); // 从小到大排序
for (int i = 0; i < n; i++)
cout << arr[i] << " ";
cout << endl;
absoluteSelectionSort(arr, n); // 按绝对值从大到小排序
for (int i = 0; i < n; i++)
cout << arr[i] << " ";
cout << endl;
return 0;
}
```
输入示例:
```
5
-3 2 1 -4 5
```
输出示例:
```
-4 -3 1 2 5
5 -4 -3 2 1
```
阅读全文