Skip to content

Navigation Menu

Sign in
Appearance settings

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Appearance settings

Latest commit

 

History

History
History
46 lines (41 loc) · 1.55 KB

File metadata and controls

46 lines (41 loc) · 1.55 KB
Copy raw file
Download raw file
Open symbols panel
Edit and raw actions
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
#!/usr/bin/env python
'''
Leetcode: Longest Valid Parentheses
Given a string containing just the characters '(' and ')', find the length of the longest valid (well-formed) parentheses substring.
For "(()", the longest valid parentheses substring is "()", which has length = 2.
Another example is ")()())", where the longest valid parentheses substring is "()()",
which has length = 4.
'''
from __future__ import division
import random
### Use a stack to keep track of the positions of non-matching '('s.
### Also need to keep track of the position of the last ')'.
def longest_valid_parentheses(s):
max_len = 0
start = end = -1
last = -1 # the position of the last ')'
stack_lefts = [] # positions of non-matching '('s
for i, p in enumerate(list(s)):
if p == '(':
stack_lefts.append(i)
elif not stack_lefts:
# for ')': no matching left
last = i
else:
# for ')': find a matching pair
stack_lefts.pop()
cur_start = stack_lefts[-1]+1 if stack_lefts else last+1
cur_len = i-cur_start+1
if cur_len > max_len:
max_len = cur_len
start = cur_start
end = i
print s, ':', max_len, s[start:end+1]
return max_len
if __name__ == '__main__':
longest_valid_parentheses(")()()(()()())())))")
longest_valid_parentheses("(()")
longest_valid_parentheses("")
longest_valid_parentheses(")()(()(()(")
longest_valid_parentheses("(((()(((")
longest_valid_parentheses("))))))(((((")
Morty Proxy This is a proxified and sanitized view of the page, visit original site.