设计 Goal 解析器

请你设计一个可以解释字符串 command 的 Goal 解析器 。command 由 "G"、"()" 和/或 "(al)" 按某种顺序组成。Goal 解析器会将 "G" 解释为字符串 "G"、"()" 解释为字符串 "o" ,"(al)" 解释为字符串 "al" 。然后,按原顺序将经解释得到的字符串连接成一个字符串。

给你字符串 command ,返回 Goal 解析器 对 command 的解释结果。

示例 1:

输入:command = "G()(al)"
输出:"Goal"
解释:Goal 解析器解释命令的步骤如下所示:
G -> G
() -> o
(al) -> al
最后连接得到的结果是 "Goal"

思路:

这种题都可以利用指定的index,来添加数据

代码

 public String interpret(String command) {
        StringBuilder result = new StringBuilder();
        int index = 0;
        char[] chars = command.toCharArray();
        while (index < command.length()){
            char c = chars[index];
            if(c == 'G'){
                result.append(c);
                index++;
            }else if(c == '(' && ')' == chars[index+1]){
                result.append('o');
                index += 2;
            }else if(c == '(' && 'a' == chars[index+1]){
                result.append("al");
                index += 4;
            }
        }
        return result.toString();
    }


来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/goal-parser-interpretation
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

原文地址:https://www.cnblogs.com/dongma/p/14218989.html