#数据结构与算法学习笔记#剑指Offer5:用两个栈实现队列(Java、C/C++)

2018.7.31     《剑指Offer》从零单刷个人笔记整理(66题全)目录传送门​​​​​​​

栈是后进先出,队列是先进先出,因此用两个栈正好可以模拟一个队列。每次进栈压入栈1,出栈时如果栈2没有元素,先从栈1弹出装入栈2,然后弹出栈2元素;如果栈2仍有元素,则依次弹出。


题目描述

用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。


JAVA实现:

/**
 * 
 * @author ChopinXBP
 * 用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。
 *
 *
 */

import java.util.Stack;

public class TwoStack2Queue {
	
    static Stack stack1 = new Stack();
    static Stack stack2 = new Stack();
	
    public static void main(String[] args) {
		// TODO Auto-generated method stub

	}

    public static void push(int node) {
        if(stack1.size() != stack1.capacity()){
        	stack1.push(node);
        }
    }
    
    public static int pop() {
    	//可换成isEmpty()
    	if(stack2.size() != 0){
    		return stack2.pop();
    	}else if(stack2.size() == 0 && stack1.size() != 0){
    		while(stack1.size() != 0){
    			stack2.push(stack1.pop());
    		}
    		return stack2.pop();
    	}
    	return -1;
    }
}

C++最佳解答示例:

class Solution
{
public:
    int cou = 0;
    void push(int node) {
        stack1.push_back(node);
        stack2.push_back(cou++);
    }
 
    int pop() {
        int i = 0;
        while(stack2[i] == -1)
            {
            i++;
        }
        stack2[i] = -1;
        return stack1[i];
    }
 
private:
    vector stack1;//存数
    vector stack2;//地址
};

#Coding一小时,Copying一秒钟。留个言点个赞呗,谢谢你#

你可能感兴趣的:(数据结构与算法,剑指Offer,C/C++,JAVA)