C++L13 跳绳
- 小蓝的班进行比赛跳绳。已知班里共有学生 n 名:
- 给定学生的跳绳成绩(1 分钟跳绳的个数): 请将这 n 名学生的跳绳成绩从高到低排序后输出。
- 输入
共 2 行;
第 1 行是一个正整数 n(1<=n<=100);
第 2 行有 n 个正整数(小于 1000):相邻两数之间用空格隔开。
输出 1 行正整数, 为 n 位学生的跳绳成绩从高到低排序后的序列: 两数之间以一个英文逗号分隔。
注意:不得输出多余的逗号。
5
112 72 212 99 157
212,157,112,99,72
#include <iostream>
using namespace std;
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]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
int main() {
int n;
cin >> n;
int scores[n];
for (int i = 0; i < n; i++) {
cin >> scores[i];
}
bubbleSort(scores, n);
for (int i = 0; i < n; i++) {
cout << scores[i];
if (i < n - 1) {
cout << ",";
}
}
return 0;
}