# 第二十七周ARTS总结
# Algorithm
14ms | 7.15% Run time
39.5MB | 5.88% Memory
public int longestValidParentheses(String s) {
// 记录最长匹配串的长度
int max = 0;
Stack<String> stacks = new Stack<>();
for (int i = 0; i < s.length(); i++) {
if (stacks.empty() || '(' == s.charAt(i)) {// 如果当前字符是左括号或者栈为空,则入栈
stacks.push(Character.toString(s.charAt(i)));
} else if ("(".equals(stacks.peek())) {// 如果栈顶是左括号(此时当前字符一定是右括号)
stacks.pop();
// 找到当前最大长度
int temp = 0;
// 入栈之前看看栈顶是不是数字
if (!stacks.empty() && !"(".equals(stacks.peek()) && !")".equals(stacks.peek())) {
temp = temp + Integer.parseInt(stacks.pop());
}
temp += 2;
if (temp > max) {
max = temp;
}
stacks.push(Integer.toString(temp));
} else if (")".equals(stacks.peek())) {// 如果栈顶是右括号(此时当前字符一定是右括号)
stacks.push(")");
} else {// 此时栈顶是数字
// 获取栈顶的数字,并出栈
int temp = Integer.parseInt(stacks.pop());
// 如果此时栈顶的是左括号
if (!stacks.empty() && "(".equals(stacks.peek())) {
stacks.pop();
temp += 2;
// 入栈之前看看栈顶是不是数字
if (!stacks.empty() && !"(".equals(stacks.peek()) && !")".equals(stacks.peek())) {
temp = temp + Integer.parseInt(stacks.pop());
}
stacks.push(Integer.toString(temp));
if (temp > max) {
max = temp;
}
} else {
stacks.push(Integer.toString(temp));
stacks.push(")");
}
}
}
return max;
}
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
56
57
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
56
57
0ms | 100.00% Run time
36.5MB | 100.00% Memory
public int search(int[] nums, int target) {
if (nums.length == 0) {
return -1;
}
int a1 = 0;
int a2 = nums.length - 1;
int first = nums[a1];
int last = nums[a2];
// nums的首尾一定是相邻的两个数
if (target < first && target > last) {
return -1;
}
// 此时才是被切割的
if (first > last) {
// 找到切割的点,即最小值(时间复杂度为logn)
while (a2 > a1) {
int mIndex = (a1 + a2) / 2;
int temp = nums[mIndex];
if (temp >= first) {
a1 = mIndex + 1;
} else if (temp <= last) {
a2 = mIndex;
}
}
}
if (target <= last) {
a2 = nums.length - 1;
}
if (target >= first) {
a1 = 0;
}
int ans = -1;
// 二分法找到该值(时间复杂度为logn)
while (a2 >= a1) {
int mIndex = (a1 + a2) / 2;
int temp = nums[mIndex];
if (target > temp) {
a1 = mIndex + 1;
} else if (target < temp) {
a2 = mIndex - 1;
} else {
ans = mIndex;
break;
}
}
return ans;
}
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
56
57
58
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
56
57
58
# Review
# Tip
html
中的<span>
标签可作为文字的扩展用,用于修改部分文字的样式
# Share
暂无内容