Codeforces#420 C. Okabe and Boxes

来源:互联网 发布:雷洋之死 知乎 编辑:程序博客网 时间:2024/04/19 07:38

C. Okabe and Boxes

Okabe and Super Hacker Daru are stacking and removing boxes. There are n boxes numbered from 1 to n. Initially there are no boxes on the stack.

Okabe, being a control freak, gives Daru 2*n* commands: n of which are to add a box to the top of the stack, and n of which are to remove a box from the top of the stack and throw it in the trash. Okabe wants Daru to throw away the boxes in the order from 1 to n. Of course, this means that it might be impossible for Daru to perform some of Okabe’s remove commands, because the required box is not on the top of the stack.

That’s why Daru can decide to wait until Okabe looks away and then reorder the boxes in the stack in any way he wants. He can do it at any point of time between Okabe’s commands, but he can’t add or remove boxes while he does it.

Tell Daru the minimum number of times he needs to reorder the boxes so that he can successfully complete all of Okabe’s commands. It is guaranteed that every box is added before it is required to be removed.

Input

The first line of input contains the integer n (1 ≤ n ≤ 3·105) — the number of boxes.

Each of the next 2*n* lines of input starts with a string “add” or “remove”. If the line starts with the “add”, an integer x (1 ≤ x ≤ n) follows, indicating that Daru should add the box with number x to the top of the stack.

It is guaranteed that exactly n lines contain “add” operations, all the boxes added are distinct, and n lines contain “remove” operations. It is also guaranteed that a box is always added before it is required to be removed.

Output

Print the minimum number of times Daru needs to reorder the boxes to successfully complete all of Okabe’s commands.

Examples

input

3add 1removeadd 2add 3removeremove

output

1

input

7add 3add 2add 1removeadd 4removeremoveremoveadd 6add 7add 5removeremoveremove

output

2

题意:

都知道栈的操作吧,现在有一个向一个栈里放东西,标号为1~n,放的顺序没有定,但是他想要出栈的时候

是从1~n的,很明显有时候栈顶不是所要的数字,那么可以借此调整整个栈,现在问需要调整几次。

思路:

分两种情况:

  • 当栈顶元素和目标元素相同的时候,那么直接出栈
  • 当不同的时候就要调整,因为每次调整之后就是所要求的顺序,那么我们连排序都省掉了。直接删除已经排好的顺序既可。

注意:这个规律不是一眼就能看出来的,所需要的是慢慢的模拟,找到规律。

#include <iostream>#include <cstdio>#include <algorithm>#include <cstring>using namespace std;const int maxn = 300005;int n;char str[10];int s[maxn],pos;int main(){    //freopen("in.txt","r",stdin);    scanf("%d",&n);    pos = 0;    int out = 1;    int ans = 0;    for(int i = 1;i <= n*2; i++) {        scanf("%s",str);        if(strcmp(str,"add") == 0) {            int temp;            scanf("%d",&temp);            s[pos++] = temp;        }        else {            if(pos != 0 &&  s[pos-1] == out) {                pos--;            }            else {                //sort(s,s+pos,cmp);                if(pos != 0)                    ans ++;                pos = 0;            }            out++;        }    }    printf("%d\n",ans);    return 0;}
原创粉丝点击