我有一些代码只使用另一个堆栈对堆栈进行排序(这是一个面试问题)。代码本身似乎有效。我想使用泛型来实现它,以便在以下条件下任何类型的堆栈都是可排序的:
- 排序方法保持静态(我想避免参数化整个类)
- 我可以使用本机比较器运算符(如 <) - 我猜参数化类型需要实现Comparable。
这可能吗?
这是代码。
import java.util.Stack;
public class StackSort {
static void sort(Stack<Integer> stack) {
Stack<Integer> tmp = new Stack<Integer>();
for (;;) {
int nswaps = 0;
while (!stack.isEmpty()) {
Integer curr = stack.pop();
if (!stack.isEmpty() && curr < stack.peek()) {
Integer next = stack.pop();
tmp.push(next);
tmp.push(curr);
++nswaps;
} else {
tmp.push(curr);
}
}
while (!tmp.isEmpty()) {
stack.push(tmp.pop());
}
if (nswaps == 0) {
break;
}
}
}
public static void main(String[] args) {
Stack<Integer> stack = new Stack<Integer>();
stack.push(6);
stack.push(4);
stack.push(11);
stack.push(8);
stack.push(7);
stack.push(3);
stack.push(5);
System.out.println(stack);
StackSort.sort(stack);
System.out.println(stack);
}
}