【PAT】A1057 Stack【分块】

Stack is one of the most fundamental data structures, which is based on the principle of Last In First Out (LIFO). The basic operations include Push (inserting an element onto the top position) and Pop (deleting the top element). Now you are supposed to implement a stack with an extra operation: PeekMedian – return the median value of all the elements in the stack. With N elements, the median value is defined to be the (N/2)-th smallest element if N is even, or ((N+1)/2)-th if N is odd.

Input Specification:

Each input file contains one test case. For each case, the first line contains a positive integer N (≤10^​5​​ ). Then N lines follow, each contains a command in one of the following 3 formats:

Push key
Pop
PeekMedian
where key is a positive integer no more than 10^​5​​ .

Output Specification:

For each Push command, insert key into the stack and output nothing. For each Pop or PeekMedian command, print in a line the corresponding returned value. If the command is invalid, print Invalid instead.

Sample Input:

17
Pop
PeekMedian
Push 3
PeekMedian
Push 2
PeekMedian
Push 1
PeekMedian
Pop
Pop
Push 5
Push 4
PeekMedian
Pop
Pop
Pop
Pop

Sample Output:

Invalid
Invalid
3
2
2
1
2
4
4
5
3
Invalid

题意

思路

分块处理。

代码

#include 
#include 
#include 
#include 
#define MAX_N 100000
#define SQRT_N 317
using namespace std;
int table[MAX_N], block[SQRT_N];
stack<int> s;
void push(int n){
	s.push(n);
	table[n]++;
	block[n / SQRT_N]++;
}
int pop(){
	int n = s.top();
	s.pop();
	block[n / SQRT_N]--;
	table[n]--;
	return n;
}
int peekMedian(){
	int K = (s.size() + 1) / 2;
	int i = 0, j = 0;
	while(j + block[i] < K){
		j += block[i++];
	}

	int k = i * SQRT_N;
	while(j + table[k] < K){
		j += table[k++];
	}
	return k;
}
int main()
{
	memset(table, 0, sizeof(int));
	memset(block, 0, sizeof(int));
	int N;
	scanf("%d", &N);
	char cmd[30];
	for(int i = 0, t; i < N; i++){
		scanf("%s", cmd);
		if(cmd[1] == 'o'){
			if(s.empty()){
				printf("Invalid\n");
			}else{
				printf("%d\n", pop());
			}
		}else if(cmd[1] == 'u'){
			scanf("%d", &t);
			push(t);
		}else{
			if(s.empty()){
				printf("Invalid\n");
			}else{
				printf("%d\n", peekMedian());
			}
		}
	}
	return 0;
}


你可能感兴趣的:(PAT)