1.合併兩個有序連結串列
題目連結:https://leetcode.cn/problems/merge-two-sorted-lists/
將兩個升序連結串列合併為一個新的 升序 連結串列並返回。新連結串列是透過拼接給定的兩個連結串列的所有節點組成的。
class Solution:
def mergeTwoLists(self, list1: Optional[ListNode], list2: Optional[ListNode]) -> Optional[ListNode]:
dummy = ListNode()
curr = dummy
while list1 and list2:
if list1.val < list2.val:
curr.next = list1
list1 = list1.next
else:
curr.next = list2
list2 = list2.next
curr = curr.next
curr.next = list1 if list1 else list2
return dummy.next
2. 括號生成
題目連結:https://leetcode.cn/problems/generate-parentheses/
數字 n 代表生成括號的對數,請設計一個函式,用於能夠生成所有可能的並且 有效的 括號組合。
class Solution:
def generateParenthesis(self, n: int) -> List[str]:
result = []
def backtrack(left, right, current):
if len(current) == 2 * n:
result.append(current)
return
if left < n:
backtrack(left + 1, right, current + '(')
if right < left:
backtrack(left, right + 1, current + ')')
backtrack(0, 0, '')
return result