PTA跳转:原题链接
题目大意:输入一串数字序列,如果某个元素左边的数字都比它小,右边的数字都比它大,则称这个元素为“中心”。问该数字序列有多少个“中心”。
如序列【1,3,2,4,5】,1、4、5可以作为“中心”。
#include <iostream>
#include <algorithm>
#include <vector>
using namespace std;
int main() {
int N;
cin >> N;
int a[N], b[N]; //a是递增排序,b是原排序
vector<int> v;
for (int i = 0; i < N; i++) {
cin >> a[i];
b[i] = a[i];
}
sort(a, a + N); //默认递增排序
int max = 0, count = 0;
for (int i = 0; i < N; i++) {
//排序后位置不变,并且在原排序中还没遇到比自己大的元素,这个元素才可以作为中心
if (a[i] == b[i] && b[i] > max) {
v.push_back(b[i]);
count++;
}
if (b[i] > max) { //记录当前位置在原排序中遇到的最大值
max = b[i];
}
}
if (count == 0) { //没有可以作为中心的元素,此时输出v.begin()会有段错误
cout << "0" << endl << endl;
return 0;
}
vector<int>::iterator it = v.begin();
cout << count << endl << *it;
it++;
while (it != v.end()) {
cout << " " << *it;
it++;
}
return 0;
}
氷鸢鸢鸢
2020.7.16