题目
来源:LeetCode.
将一个给定字符串 s 根据给定的行数 numRows ,以从上往下、从左到右进行 Z 字形排列。
比如输入字符串为 "PAYPALISHIRING" 行数为 3 时,排列如下:
P A H N
A P L S I I G
Y I R
之后,你的输出需要从左往右逐行读取,产生出一个新的字符串,比如:"PAHNAPLSIIGYIR"。
请你实现这个将字符串进行指定行数变换的函数:
string convert(string s, int numRows);
示例 1:
输入: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"
接下来看一下解题思路:
思路(按行排序):
我首先想的是使用二维数组,结果搞了半天没搞出来,看了官方的题解感觉自己不太行。
我们可以使用 min(numRows,len(s)) 个列来表示 Z 字形图案中的非空行。
从左到右迭代字符串 s,将每个字符添加到合适的行。可以使用当前行(row)和当前方向(direction)这两个变量对合适的行进行跟踪。
只有当我们向上移动到最上面的行或向下移动到最下面的行时,当前方向才会发生改变。
public static String convert(String s, int numRows) {
if (numRows < 2) {
return s;
}
// 方向,只有当我们向上移动到最上面的行或向下移动到最下面的行时,当前方向才会发生改变
int direction = -1;
// 当前行
int row = 0;
char[] charString = s.toCharArray();
List<StringBuilder> stringBuilders = new ArrayList<>();
// 选取Math.min(numRows, s.length())作为 Z 转换非空行
for (int i = 0; i < Math.min(numRows, s.length()); i++) {
stringBuilders.add(new StringBuilder());
}
for (char c : charString) {
stringBuilders.get(row).append(c);
// 只有到上、下边界的时候会转变方向
if (row == 0 || row == numRows - 1) {
direction = -direction;
}
row += direction;
}
StringBuilder result = new StringBuilder();
for (StringBuilder builder : stringBuilders) {
result.append(builder);
}
return result.toString();
}
- 时间复杂度:O(n),其中 n == len(s);
- 空间复杂度:O(n)
作者:LeetCode
链接:https://leetcode-cn.com/problems/zigzag-conversion/solution/z-zi-xing-bian-huan-by-leetcode/
来源:力扣(LeetCode)