-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path(6) Zigzag Conversion.py
51 lines (41 loc) · 1.56 KB
/
(6) Zigzag Conversion.py
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
# (6) Zigzag Conversion
# The string "PAYPALISHIRING" is written in a zigzag pattern on a given number of rows like this:
# (you may want to display this pattern in a fixed font for better legibility)
# P A H N
# A P L S I I G
# Y I R
# And then read line by line: "PAHNAPLSIIGYIR"
# Write the code that will take a string and make this conversion given a number of rows.
# https://leetcode.com/problems/zigzag-conversion/
def chunks2str(chunks):
return "".join(map(lambda chunk: "".join(chunk), chunks))
def convert(s, rows):
# Chunks is a list of rows.
# c points to the current chunk we are working with.
# direction is whether we are moving forward (1) or backward (-1) regarding which row to move to next.
chunks = list()
c = 0
direction = 1
# Initialize how many chunks we need for each row.
# May terminate early if we dont need as many chunks as rows.
for r in range(rows):
chunks.append(list())
if r >= len(s):
return chunks2str(chunks)
chunks[r].append(s[r])
# Begin processing s in zigzag order.
c = len(chunks)-1
direction = -1
for i in range(rows, len(s)):
# When we hit the "top" or "bottom", swap directions.
# If the number of rows is only 1, then c stays fixed at 0.
if rows != 1:
c += direction
if c == 0 or c == rows-1:
direction *= -1
chunks[c].append(s[i])
return chunks2str(chunks)
if __name__ == '__main__':
s = "abc"
rows = 1
print(convert(s, rows))