[LeetCode] Palindrome Linked List
阿新 • • 發佈:2017-11-03
部分 als 存在 list rip question 中間 head div
Given a singly linked list, determine if it is a palindrome.
Follow up:
Could you do it in O(n) time and O(1) space?
判斷回文鏈表
思路:由於鏈表無法像數組、字符串一樣直接定位到中間索引,所以要利用快慢指針來確定中心元素。再將鏈表的前半部分的元素放入棧stk中,這時存在一個問題,就是如果鏈表元素為奇數,則將最中心的元素也放入了stk中,而這個元素不參與之後的比較,所以需要將它彈出stk,如果鏈表元素為偶數,就不需要對此操作了。接下來依次彈出stk中元素與後半部分元素比較,判斷每個對應的元素是否相等,如果不等就返回false。則該鏈表不是回文鏈表。
/** * Definition for singly-linked list. * struct ListNode { * int val; * ListNode *next; * ListNode(int x) : val(x), next(NULL) {} * }; */ class Solution { public: bool isPalindrome(ListNode* head) { if (head == nullptr || head->next == nullptr) return true; ListNode* fast = head; ListNode* slow = head; stack<ListNode*> stk; stk.push(head); while (fast->next != nullptr && fast->next->next != nullptr) { fast = fast->next->next; slow = slow->next; stk.push(slow); }if (fast->next == nullptr) stk.pop(); while (slow->next != nullptr) { slow = slow->next; ListNode* tmp = stk.top(); stk.pop(); if (tmp->val != slow->val) return false; } return true; } }; // 23 ms
[LeetCode] Palindrome Linked List