0

好的,我最近在一次采访中被问到这个问题,我很感兴趣。基本上我有一个包含一组值的堆栈,我想在函数中传递堆栈对象并返回某个索引处的值。这里要注意的是,函数完成后,我需要未修改堆栈;这很棘手,因为 Java 按值传递对象的引用。我很好奇是否有纯粹的 Java 方式来使用push()pop()peek()isempty()原始数据类型。我反对将元素复制到数组或字符串中。目前我得到的最干净的是使用克隆,找到下面的代码:

    import java.util.Stack;


public class helloWorld {

public int getStackElement( Stack<Integer> stack, int index ){
    int foundValue=null;//save the value that needs to be returned
    int position=0; //counter to match the index
    Stack<Integer> altStack = (Stack<Integer>) stack.clone();//the clone of the original stack
    while(position<index)
    {
        System.out.println(altStack.pop());
        position++;
    }
    foundValue=altStack.peek();
    return foundValue;
}

    public static void main(String args[]){
        Stack<Integer> stack = new Stack<Integer>();
        stack.push(10);
        stack.push(20);
        stack.push(30);
        stack.push(40);
        stack.push(50);
        stack.push(60);
        helloWorld obj= new helloWorld();
            System.out.println("value is-"+obj.getStackElement(stack,4));
        System.out.println("stack is "+stack);

    }

}

我知道克隆也是复制,但这是我要消除的基本缺陷。剥离我在问我是否真的能够传递堆栈的值而不是传递其引用的值。

提前致谢。

4

2 回答 2

6
int position =5;

Integer result = stack.get(position);

Java 文档在这里

于 2012-11-22T07:51:06.833 回答
3

如果您不能使用另一个堆栈,您可以通过创建递归方法来欺骗和滥用调用堆栈上的局部变量以达到相同的目的:

public static <T> T getStackElement(Stack<T> stack, int index) {
  if (index == 0) {
    return stack.peek();
  }

  T x = stack.pop();
  try {
    return getStackElement(stack, index - 1);
  } finally {
    stack.push(x);
  }
}
于 2012-11-22T08:29:16.753 回答