加载中...
917-仅仅反转字母(Reverse Only Letters)
发表于:2021-12-03 | 分类: 简单
字数统计: 727 | 阅读时长: 3分钟 | 阅读量:

原文链接: https://leetcode-cn.com/problems/reverse-only-letters

英文原文

Given a string s, reverse the string according to the following rules:

  • All the characters that are not English letters remain in the same position.
  • All the English letters (lowercase or uppercase) should be reversed.

Return s after reversing it.

 

Example 1:

Input: s = "ab-cd"
Output: "dc-ba"

Example 2:

Input: s = "a-bC-dEf-ghIj"
Output: "j-Ih-gfE-dCba"

Example 3:

Input: s = "Test1ng-Leet=code-Q!"
Output: "Qedo1ct-eeLg=ntse-T!"

 

Constraints:

  • 1 <= s.length <= 100
  • s consists of characters with ASCII values in the range [33, 122].
  • s does not contain '\"' or '\\'.

中文题目

给定一个字符串 S,返回 “反转后的” 字符串,其中不是字母的字符都保留在原地,而所有字母的位置发生反转。

 

示例 1:

输入:"ab-cd"
输出:"dc-ba"

示例 2:

输入:"a-bC-dEf-ghIj"
输出:"j-Ih-gfE-dCba"

示例 3:

输入:"Test1ng-Leet=code-Q!"
输出:"Qedo1ct-eeLg=ntse-T!"

 

提示:

  1. S.length <= 100
  2. 33 <= S[i].ASCIIcode <= 122 
  3. S 中不包含 \ or "

通过代码

官方题解

方法 1:字母栈

想法和算法

s 中的所有字母单独存入栈中,所以出栈等价于对字母反序操作。(或者,可以用数组存储字母并反序数组。)

然后,遍历 s 的所有字符,如果是字母我们就选择栈顶元素输出。

[]
class Solution { public String reverseOnlyLetters(String S) { Stack<Character> letters = new Stack(); for (char c: S.toCharArray()) if (Character.isLetter(c)) letters.push(c); StringBuilder ans = new StringBuilder(); for (char c: S.toCharArray()) { if (Character.isLetter(c)) ans.append(letters.pop()); else ans.append(c); } return ans.toString(); } }
[]
class Solution(object): def reverseOnlyLetters(self, S): letters = [c for c in S if c.isalpha()] ans = [] for c in S: if c.isalpha(): ans.append(letters.pop()) else: ans.append(c) return "".join(ans)

复杂度分析

  • 时间复杂度:$O(N)$,其中 $N$ 是 S 的长度。
  • 空间复杂度:$O(N)$。

方法 2:反转指针

想法

一个接一个输出 s 的所有字符。当遇到一个字母时,我们希望找到逆序遍历字符串的下一个字母。

所以我们这么做:维护一个指针 j 从后往前遍历字符串,当需要字母时就使用它。

[]
class Solution { public String reverseOnlyLetters(String S) { StringBuilder ans = new StringBuilder(); int j = S.length() - 1; for (int i = 0; i < S.length(); ++i) { if (Character.isLetter(S.charAt(i))) { while (!Character.isLetter(S.charAt(j))) j--; ans.append(S.charAt(j--)); } else { ans.append(S.charAt(i)); } } return ans.toString(); } }
[]
class Solution(object): def reverseOnlyLetters(self, S): ans = [] j = len(ans) - 1 for i, x in enumerate(S): if x.isalpha(): while not S[j].isalpha(): j -= 1 ans.append(S[j]) j -= 1 else: ans.append(x) return "".join(ans)

复杂度分析

  • 时间复杂度:$O(N)$,其中 $N$ 是 S 的长度。
  • 空间复杂度:$O(N)$。

统计信息

通过次数 提交次数 AC比率
30773 54137 56.8%

提交历史

提交时间 提交结果 执行时间 内存消耗 语言
上一篇:
916-单词子集(Word Subsets)
下一篇:
919-完全二叉树插入器(Complete Binary Tree Inserter)
本文目录
本文目录