标签:替换 ret 条件 数字 java stringbu etc xpl traints
You are given a 0-indexed string s
that has lowercase English letters in its even indices and digits in its odd indices.
There is a function shift(c, x)
, where c
is a character and x
is a digit, that returns the xth
character after c
.
shift(‘a‘, 5) = ‘f‘
and shift(‘x‘, 0) = ‘x‘
.For every odd index i
, you want to replace the digit s[i]
with shift(s[i-1], s[i])
.
Return s
after replacing all digits. It is guaranteed that shift(s[i-1], s[i])
will never exceed ‘z‘
.
Example 1:
Input: s = "a1c1e1" Output: "abcdef" Explanation: The digits are replaced as follows: - s[1] -> shift(‘a‘,1) = ‘b‘ - s[3] -> shift(‘c‘,1) = ‘d‘ - s[5] -> shift(‘e‘,1) = ‘f‘
Example 2:
Input: s = "a1b2c3d4e" Output: "abbdcfdhe" Explanation: The digits are replaced as follows: - s[1] -> shift(‘a‘,1) = ‘b‘ - s[3] -> shift(‘b‘,2) = ‘d‘ - s[5] -> shift(‘c‘,3) = ‘f‘ - s[7] -> shift(‘d‘,4) = ‘h‘
Constraints:
1 <= s.length <= 100
s
consists only of lowercase English letters and digits.shift(s[i-1], s[i]) <= ‘z‘
for all odd indices i
.将所有数字用字符替换。
给你一个下标从 0 开始的字符串 s ,它的 偶数 下标处为小写英文字母,奇数 下标处为数字。
定义一个函数 shift(c, x) ,其中 c 是一个字符且 x 是一个数字,函数返回字母表中 c 后面第 x 个字符。
比方说,shift(‘a‘, 5) = ‘f‘ 和 shift(‘x‘, 0) = ‘x‘ 。
对于每个 奇数 下标 i ,你需要将数字 s[i] 用 shift(s[i-1], s[i]) 替换。请你替换所有数字以后,将字符串 s 返回。题目 保证 shift(s[i-1], s[i]) 不会超过 ‘z‘ 。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/replace-all-digits-with-characters
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
双周赛第一题,考察字符串的操作。如果当前是字母就无条件加入结果集;如果当前是数字就要判断数字是几,以及前一个字母是什么,以得出当前字母并加入结果集。
时间O(n)
空间O(1)
Java实现
1 class Solution { 2 public String replaceDigits(String s) { 3 StringBuilder sb = new StringBuilder(); 4 for (int i = 0; i < s.length(); i++) { 5 if (Character.isLetter(s.charAt(i))) { 6 sb.append(s.charAt(i)); 7 } else if (i - 1 >= 0 && Character.isDigit(s.charAt(i))) { 8 char prev = s.charAt(i - 1); 9 int n = s.charAt(i) - ‘0‘; 10 char cur = (char) (prev + n); 11 sb.append(cur); 12 } 13 } 14 return sb.toString(); 15 } 16 }
[LeetCode] 1844. Replace All Digits with Characters
标签:替换 ret 条件 数字 java stringbu etc xpl traints
原文地址:https://www.cnblogs.com/cnoodle/p/14725170.html