題目描述
將一個給定字符串 s 根據(jù)給定的行數(shù) numRows ,以從上往下、從左到右進(jìn)行 Z 字形排列。
比如輸入字符串為 “PAYPALISHIRING” 行數(shù)為 3 時,排列如下:
P A H N
A P L S I I G
Y I R
之后,你的輸出需要從左往右逐行讀取,產(chǎn)生出一個新的字符串,比如:“PAHNAPLSIIGYIR”。
請你實現(xiàn)這個將字符串進(jìn)行指定行數(shù)變換的函數(shù):
string convert(string s, int numRows);
1 <= s.length <= 1000
s 由英文字母(小寫和大寫)、‘,’ 和 ‘.’ 組成
1 <= numRows <= 1000
輸入:s = "PAYPALISHIRING", numRows = 3
輸出:"PAHNAPLSIIGYIR"
示例2
輸入:s = "PAYPALISHIRING", numRows = 4
輸出:"PINALSIGYAHRPI"
解釋:
P I N
A L S I G
Y A H R
P I
示例 3
輸入:s = "A", numRows = 1
輸出:"A"
參考代碼
方法一:
直接模擬生成二維數(shù)據(jù)保存Z
字形數(shù)據(jù),在遍歷生成字符串。
# 320 ms 22.2 MB
class Solution:
def convert(self, s: str, numRows: int) -> str:
if numRows == 1:
return s
if numRows >= len(s):
return s
dp = [[False] * len(s) for i in range(numRows)]
i = j = 0
flg = 1
for c in s:
dp[i][j] = c
if flg == -1:
i -= 1
j += 1
else:
i += 1
if i >= (numRows - 1):
flg = flg * -1
j += 1
if i == 0:
flg = flg * -1
ret = [c for dpi in dp for c in dpi if c]
return "".join(ret)
方法二:
根據(jù)方法一的結(jié)果發(fā)現(xiàn),我們最終是要把一行的數(shù)據(jù)再組合為一個字符串,那我可以簡單理解為,遍歷輸入字符串時 i
行的字直接拼接在一起,不起考慮 j
。
# 52 ms 15.2 MB
class Solution:
def convert(self, s: str, numRows: int) -> str:
if numRows == 1:
return s
if numRows >= len(s):
return s
dp = {i:"" for i in range(numRows)}
i = 0
flg = 1
for c in s:
dp[i] += c
if flg == -1:
i -= 1
else:
i += 1
if i >= (numRows - 1):
flg = flg * -1
if i == 0:
flg = flg * -1
ret = [stp for stp in dp.values()]
return "".join(ret)
本文摘自 :https://blog.51cto.com/u