請判斷乙個鍊錶是否為回文鍊錶。
示例 1:
輸入: 1->2
輸出: false
示例 2:
輸入: 1->2->2->1
輸出: true
高階:你能否用 o(n) 時間複雜度和 o(1) 空間複雜度解決此題?
利用map,做兩次迴圈,第一次迴圈把鍊錶的val存進map中,第二次迴圈遍歷map,檢驗map存的元素是否回文。
bool
ispalindrome
(listnode* head)
for(
int j =
0; j < i/
2; j ++)}
return
true
;}
因為stack是先入後出,所以存進stack之後pop的順序是反過來的,直接遍歷鍊錶比較是否相等即可。
bool
ispalindrome
(listnode* head)
cur = head;
while
(cur)
st.pop();
cur = cur-
>next;
head = head-
>next;
}return
true
;}
上面的stack解法中,在遍歷迴圈中重複比較了一半的節點,在遍歷入棧時其實並不需要後半段的節點,因此可利用快慢指標思想,找到鍊錶中點即可,然後拿鍊錶剩下的節點與出棧元素比較。
bool
ispalindrome
(listnode* head)
while
(fast && fast-
>next)}if
(!isodd)
while
(slow)
st.pop();
slow = slow-
>next;
}return
true
;}
要滿足時間複雜度o(n),空間複雜度o(1),利用快慢指標找到鍊錶中點位置,然後對後一半鍊錶反轉操作,再跟前一半鍊錶比對。
bool
ispalindrome
(listnode* head)
// find the center
while
(fast-
>next && fast-
>next-
>next)
slow = slow-
>next;
// reverse the link
listnode* newhead =
null
;while
(slow)
// compare
while
(newhead)
head = head-
>next;
newhead = newhead-
>next;
}return
true;}
};
LeetCode 234 回文鍊錶
請判斷乙個鍊錶是否為回文鍊錶。definition for singly linked list.struct listnode bool ispalindrome struct listnode head 示例 1 輸入 1 2 輸出 false 示例 2 輸入 1 2 2 1 輸出 true 要...
leetcode 234 回文鍊錶
請判斷乙個鍊錶是否為回文鍊錶。示例 1 輸入 1 2輸出 false 示例 2 輸入 1 2 2 1輸出 true 解法1 使用棧 使用快慢指標找中點,原理是每次快指標走兩步,慢指標走一步,等快指標走完時,慢指標的位置就是中點。我們還需要用棧,每次慢指標走一步,都把值存入棧中,等到達中點時,鍊錶的前...
LeetCode 234 回文鍊錶
請判斷乙個鍊錶是否為回文鍊錶。解題思路 根據 o n 時間複雜度和 o 1 空間複雜度的要求,則不能使用堆疊。首先找到中間節點,然後反轉中間節點之後的節點,最後比較頭結點和中間節點之後元素的大小。bool solution ispalindrome listnode head 1.找到鍊錶的中間位置...