2000. 反转单词前缀
2000. 反转单词前缀
题目
Given a 0-indexed string word
and a character ch
, reverse the segment of word
that starts at index 0
and ends at the index of the first occurrence of ch
(inclusive). If the character ch
does not exist in word
, do nothing.
- For example, if
word = "abcdefd"
andch = "d"
, then you should reverse the segment that starts at0
and ends at3
(inclusive). The resulting string will be"_dcba_ efd"
.
Return the resulting string.
Example 1:
Input: word = "abcd efd", ch = "d"
Output: "dcba efd"
Explanation: The first occurrence of "d" is at index 3.
Reverse the part of word from 0 to 3 (inclusive), the resulting string is "dcbaefd".
Example 2:
Input: word = "xyxz xe", ch = "z"
Output: "zxyx xe"
Explanation: The first and only occurrence of "z" is at index 3.
Reverse the part of word from 0 to 3 (inclusive), the resulting string is "zxyxxe".
Example 3:
Input: word = "abcd", ch = "z"
Output: "abcd"
Explanation: "z" does not exist in word.
You should not do any reverse operation, the resulting string is "abcd".
Constraints:
1 <= word.length <= 250
word
consists of lowercase English letters.ch
is a lowercase English letter.
题目大意
给你一个下标从 0 开始的字符串 word
和一个字符 ch
。找出 ch
第一次出现的下标 i
,反转word
中从下标 0
开始、直到下标 i
结束(含下标 i
)的那段字符。如果 word
中不存在字符 ch
,则无需进行任何操作。
- 例如,如果
word = "abcdefd"
且ch = "d"
,那么你应该 反转 从下标 0 开始、直到下标3
结束(含下标3
)。结果字符串将会是"dcbaefd"
。
返回 结果字符串 。
示例 1:
输入: word = "abcd efd", ch = "d"
输出: "dcba efd"
解释: "d" 第一次出现在下标 3 。
反转从下标 0 到下标 3(含下标 3)的这段字符,结果字符串是 "dcbaefd" 。
示例 2:
输入: word = "xyxz xe", ch = "z"
输出: "zxyx xe"
解释: "z" 第一次也是唯一一次出现是在下标 3 。
反转从下标 0 到下标 3(含下标 3)的这段字符,结果字符串是 "zxyxxe" 。
示例 3:
输入: word = "abcd", ch = "z"
输出: "abcd"
解释: "z" 不存在于 word 中。
无需执行反转操作,结果字符串是 "abcd" 。
提示:
1 <= word.length <= 250
word
由小写英文字母组成ch
是一个小写英文字母
解题思路
查找字符位置:
- 使用
indexOf
快速定位字符ch
在字符串中的位置。 - 如果
ch
不存在,则无需操作,直接返回原字符串。
- 使用
切片和翻转:
- 截取字符串从开头到目标字符位置的子串,用
split('')
、reverse()
和join('')
实现翻转。 - 保留目标字符后的部分子串,拼接形成最终结果。
- 截取字符串从开头到目标字符位置的子串,用
返回结果:
- 将翻转的前缀和未修改的后缀拼接后返回。
复杂度分析
- 时间复杂度:
O(n)
- 查找字符位置:
O(n)
。 - 翻转前缀:
O(k)
,其中k
为前缀长度。 - 总复杂度:
O(n)
。
- 查找字符位置:
- 空间复杂度:
O(k)
,其中k <= n
,额外使用了存储前缀子串的空间
代码
/**
* @param {string} word
* @param {character} ch
* @return {string}
*/
var reversePrefix = function (word, ch) {
const index = word.indexOf(ch); // 查找字符 ch 的位置
if (index === -1) return word; // 如果字符不存在,直接返回原字符串
const prefix = word
.slice(0, index + 1)
.split('')
.reverse()
.join(''); // 翻转前缀
return prefix + word.slice(index + 1); // 拼接翻转后的前缀和剩余部分
};