輸入兩個整數序列,第一個序列表示棧的壓入順序,請判斷第二個序列是否爲該棧的彈出順序。假設壓入棧的全部數字均不相等。例如序列1,2,3,4,5是某棧的壓入順序,序列4,5,3,2,1是該壓棧序列對應的一個彈出序列,但4,3,5,1,2就不多是該壓棧序列的彈出序列。測試
每一個測試案例包括3行:spa
第一行爲1個整數n(1<=n<=100000),表示序列的長度。code
第二行包含n個整數,表示棧的壓入順序。blog
第三行包含n個整數,表示棧的彈出順序。io
對應每一個測試案例,若是第二個序列是第一個序列的彈出序列輸出Yes,不然輸出No。class
5 1 2 3 4 5 4 5 3 2 1 5 1 2 3 4 5 4 3 5 1 2
Yes No
從新按照第一組數據入棧,每次入棧都檢查一下,是否跟出棧的內容相同,若是相同,則出棧。test
最後,若是這個棧內不存在元素,則證實第二個序列爲出棧序列。gc
#include <stdio.h> #include <stdlib.h> int arr[100005] = {0}; int test[100005] = {0}; int testStack(int n); int main(int argc, char const *argv[]) { int n,i; while(scanf("%d",&n)!=EOF && n>=1 && n<=100000){ for(i=0;i<n;i++){ scanf("%d",&arr[i]); } for(i=0;i<n;i++){ scanf("%d",&test[i]); } if(testStack(n)) printf("Yes\n"); else printf("No\n"); } return 0; } int testStack(int n){ int temp[100005]={0}; int top=0; int j=0; int i; for(i=0;i<n;i++){ temp[top++] = arr[i]; while(top>0 && temp[top-1] == test[j]){ j++; top--; } } if(top) return 0; else return 1; } /************************************************************** Problem: 1366 User: xhalo Language: C Result: Accepted Time:230 ms Memory:2012 kb ****************************************************************/