-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathZ 字形变换
62 lines (54 loc) · 1.5 KB
/
Z 字形变换
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
59
题目描述:
将一个给定字符串根据给定的行数,以从上往下、从左到右进行 Z 字形排列。
比如输入字符串为 "LEETCODEISHIRING" 行数为 3 时,排列如下:
L C I R
E T O E S I I G
E D H N
这个 Z 字型其实是这样的:
当前行 curRow 为 0 或 n-1 时,箭头发生反向转折 需要一个标志位进行更新
code:
通过 20 ms 12.9 MB Cpp
class Solution {
public:
string convert(string s, int numRows)
{
int len=s.size();
if(numRows==1)
{
return s;
}
vector<string> cum(min(len,numRows));//形成一定得数量得stringvector
int rums=0;
bool goingdown=false;//上下的标志位
for(char c:s)
{
cum[rums]+=c;
if(rums==0||rums==numRows-1)//发生标志的转变 rums=0或者nums=numRows-1这种情况下
{
goingdown=!goingdown;
}
rums=rums+(goingdown?1:-1);
}
string sums;
for(string row:cum)
{
sums+=row;
}
return sums;
}
};
通过 96 ms 13.4 MB Python3
class Solution:
def convert(self, s: str, numRows: int) -> str:
if numRows == 1:
return s
ans = ['' for _ in range(numRows)]
pos = 0
for i in s:
if pos == 0:
z = 1
elif pos == numRows-1:
z = -1
ans[pos] += i
pos += z
return ''.join(ans)