1101. Quick Sort (25)
There is a classical process named partition in the famous quick sort algorithm. In this process we typically choose one element as the pivot. Then the elements less than the pivot are moved to its left and those larger than the pivot to its right. Given N distinct positive integers after a run of partition, could you tell how many elements could be the selected pivot for this partition?
For example, given N = 5 and the numbers 1, 3, 2, 4, and 5. We have:
- 1 could be the pivot since there is no element to its left and all the elements to its right are larger than it;
- 3 must not be the pivot since although all the elements to its left are smaller, the number 2 to its right is less than it as well;
- 2 must not be the pivot since although all the elements to its right are larger, the number 3 to its left is larger than it as well;
- and for the similar reason, 4 and 5 could also be the pivot.
Hence in total there are 3 pivot candidates.
Input Specification:
Each input file contains one test case. For each case, the first line gives a positive integer N (<= 105). Then the next line contains N distinct positive integers no larger than 109. The numbers in a line are separated by spaces.
Output Specification:
For each test case, output in the first line the number of pivot candidates. Then in the next line print these candidates in increasing order. There must be exactly 1 space between two adjacent numbers, and no extra space at the end of each line.
Sample Input:5 1 3 2 4 5
Sample Output:3 1 4 5
-
不懂为什么不能用sort然后比较。数据量应该不大呀。
-
第一份代码,有几个通不过
-
已经弄懂了。因为最终位置正确未必是pivot,比如序列15324 3就是处在正确位置,但是它左右都有比它大或小的
-
-
#include <iostream> #include<stdio.h> #include<string> #include<queue> #include<algorithm> #include<string.h> #include<vector> #include<map> #include<math.h> using namespace std; int a[100005]; int b[100005]; int path[100005]; int p=0; int main() { int n; cin>>n; for(int i=0;i<n;i++) { int x; scanf("%d",&x); a[i]=b[i]=x; } sort(b,b+n); for(int i=0;i<n;i++) if(a[i]==b[i]) { path[p++]=a[i]; } cout<<p<<endl; int flag=0; for(int i=0;i<p;i++) { if(flag==1) printf(" "); flag=1; printf("%d",path[i]); } return 0; }
-
然后就弄了第二份代码,就是正着过一遍,倒着过一遍。某个元素是pivot,必有maxx[i]==minn[i]==a[i]
-
#include <iostream> #include<stdio.h> #include<string> #include<queue> #include<algorithm> #include<string.h> #include<vector> #include<map> #include<math.h> using namespace std; long long a[100005]; long long maxx[100005]; long long minn[100005]; int p=0; int path[100000]; int main() { int n; cin>>n; for(int i=0;i<n;i++) { long long x; scanf("%lld",&x); a[i]=x; } maxx[0]=a[0]; minn[n-1]=a[n-1]; for(int i=1;i<n;i++) maxx[i]=max(maxx[i-1],a[i]); for(int i=n-2;i>=0;i--) minn[i]=min(minn[i+1],a[i]); for(int i=0;i<n;i++) if(a[i]==maxx[i]&&a[i]==minn[i]) path[p++]=a[i]; int flag=0; cout<<p<<endl; for(int i=0;i<p;i++) { if(flag==1) cout<<' '; flag=1; cout<<path[i]; } cout<<endl; return 0; }