题目
给定一个字符串ss,编写一个函数,将字符串中的小写字母a
替换为"%100"
,并返回替换后的字符串。
例如,对于字符串"abcdwa"
,所有a
字符会被替换为"%100"
,最终结果为%100bcdw%100"
。
demo
#include <iostream>
#include <string>
using namespace std;
string solution(const string& s) {
// write code here
string result;
for (char c : s) {
if (c == 'a') {
result += "%100";
} else {
result += c;
}
}
return result; // Placeholder
}
int main() {
cout << (solution("abcdwa") == "%100bcdw%100") << std::endl;
cout << (solution("banana") == "b%100n%100n%100") << std::endl;
cout << (solution("apple") == "%100pple") << std::endl;
return 0;
}