设计 Goal 解析器
问题:
请你设计一个可以解释字符串 command 的 Goal 解析器 。command 由 “G”、"()" 和 “(al)” 按某种顺序组成。Goal 解析器会将 “G” 解释为字符串 “G”、"()" 解释为字符串 “o” ,"(al)" 解释为字符串 “al” 。然后,按原顺序将经解释得到的字符串连接成一个字符串。
给你字符串 command ,返回 Goal 解析器 对 command 的解释结果。
思路:
定义一个字符串,遍历原字符串,根据遍历结果将对应解析字符串拼接到定义的字符串即可。
class Solution {
public:
const string interpret(const string& command) {
string goal = "";
for(int i = 0; i < command.length(); ++i){
if(command[i] == 'G') goal += 'G';
else if(command[i] == '('){
if(command[i + 1] == ')'){
goal += 'o';
++i;
}
else if(command[i + 1] == 'a'){
goal += "al";
i += 2;
}
}
}
return goal;
}
};