我想尝试解决" PALINDROME"使用队列和堆栈的问题我正在使用相应的方法,如push/pop
和offer()[or add()]/poll()
来分别从堆栈和队列中插入和删除元素。但似乎队列中的元素的排队和取消不会按照FIFO顺序工作。
public class Testhis{
Stack<Character> st=new Stack<Character>();
PriorityQueue<Character> qu=new PriorityQueue();
public void pushCharacter(Character c){
st.push(c);
}
public void enqueueCharacter(Character c){
qu.offer(c);
}
public char popCharacter(){
return st.pop();
}
public char dequeueCharacter(){
return qu.poll();
}
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
String input = scan.nextLine();
scan.close();
// Convert input String to an array of characters:
char[] s = input.toCharArray();
// Create a Solution object:
Testhis p = new Testhis();
// Enqueue/Push all chars to their respective data structures:
for (char c : s) {
System.out.println();
System.out.println("char in action="+c);
System.out.println();
p.pushCharacter(c);
p.enqueueCharacter(c);
}
// Pop/Dequeue the chars at the head of both data structures and
compare them:
boolean isPalindrome = true;
for (int i = 0; i < s.length/2; i++) {
if (p.popCharacter() != p.dequeueCharacter()) {
isPalindrome = false;
break;
}
}
//Finally, print whether string s is palindrome or not.
System.out.println( "The word, " + input + ", is "
+ ( (!isPalindrome) ? "not a palindrome." : "a palindrome." ) );
}
}
答案 0 :(得分:2)
这是因为您使用的是PriorityQueue
。从https://docs.oracle.com/javase/7/docs/api/java/util/Queue.html中找到的java文档:PriorityQueue
中的顺序由给定的比较器确定。如果没有给出,将使用自然排序。在您的情况下:让c1
和c2
成为字符,让我们假设为c1 < c2
,然后c1
将在队列中的c2
之前,无论顺序如何他们被插入。因此,即使您先添加c2
,也会在c1
之前获得c2
。所以你需要使用不同类型的队列或列表。
编辑:正如@ChiefTwoPencils所述,Queue
的现有实现可以在这里找到:https://docs.oracle.com/javase/tutorial/collections/implementations/queue.html
答案 1 :(得分:1)