lc23

21. 合并两个有序链表

将两个升序链表合并为一个新的 升序 链表并返回。新链表是通过拼接给定的两个链表的所有节点组成的。

示例 1:

1
2
输入:l1 = [1,2,4], l2 = [1,3,4]
输出:[1,1,2,3,4,4]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
/**
* Definition for singly-linked list.
* function ListNode(val, next) {
* this.val = (val===undefined ? 0 : val)
* this.next = (next===undefined ? null : next)
* }
*/
/**
* @param {ListNode} list1
* @param {ListNode} list2
* @return {ListNode}
*/
var mergeTwoLists = function(list1, list2) {
if(list1 === null) return list2
else if(list2 === null) return list1
else if(list1.val > list2.val) {
list2.next = mergeTwoLists(list1, list2.next)
return list2
}
else {
list1.next = mergeTwoLists(list1.next, list2)
return list1
}
};

//自己的原始想法
/**
* Definition for singly-linked list.
* function ListNode(val, next) {
* this.val = (val===undefined ? 0 : val)
* this.next = (next===undefined ? null : next)
* }
*/
/**
* @param {ListNode} list1
* @param {ListNode} list2
* @return {ListNode}
*/
var mergeTwoLists = function(list1, list2) {
if(list1 === null) return list2
if(list2 === null) return list1
let head = new ListNode(-1)
let i = head
while(list1 || list2){
let num1 = list1 ? list1.val : 1000
let num2 = list2 ? list2.val : 1000
let num = Math.min(num1, num2)
if(num === num1) list1 = list1.next
else list2 = list2.next

i.next = new ListNode(num)
i = i.next
}
return head.next
};

22. 括号生成

数字 n 代表生成括号的对数,请你设计一个函数,用于能够生成所有可能的并且 有效的 括号组合。

示例 1:

1
2
输入:n = 3
输出:["((()))","(()())","(())()","()(())","()()()"]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
/**
* @param {number} n
* @return {string[]}
*/
var generateParenthesis = function(n) {
let ans = []
let dfs = (str, i, j, n) => {

if(i < n && i >= j) dfs(str + '(', i + 1, j, n)
if(j < n && i > j) dfs(str + ')', i, j + 1, n)
if(i === n && j === n) {
ans.push(str)
return
}
}

dfs('', 0, 0, n)
return ans
};