在不删除 C++ 中的其他字母的情况下,用字符串中更多的字符替换一个字符

To replace one char by a higher amount of chars within a string, without deleting other letters in C++

我想替换字符串中的字符“ü”(如果在其中找到)。我的代码替换了 ü,但也删除了字符串中的其他字母。

 if (word.find('ü') != string::npos) 
 {
     word.replace(word.find('ü'), 'ü', "ue");
 }

您可以找到 ü 的位置,从索引 0 开始直到字符串结尾,每当您找到时,使用两个位置的信息将其替换为 ue您在给定的字符串中找到了您想要找到的字符串的长度。

类似如下:SEE LIVE HERE

#include <iostream>
#include <string>
#include <algorithm>
#include <cstddef>

int main()
{
   std::string word("Herr Müller ist ein König.");

   std::string findThis = "ü";
   std::string replaceWith = "ue";

   std::size_t pos = 0;
   while ((pos = word.find(findThis, pos)) != std::string::npos)
   {
      word.replace(pos, findThis.length(), replaceWith);
      pos += replaceWith.length();
   }

   std::cout << word << std::endl;
   return 0;
}

输出:

Herr Mueller ist ein König.

如果使用 boost 是一个选项,你可以这样做

#include <boost/algorithm/string.hpp>

int main()
{
    std::string str("Herr Müller ist ein König.");
    boost::replace_all(str, "ü", "ue");
    std::cout << str << std::endl;
    return 0
}

不是一行,但是 erase 后面跟着 insert 就足够清楚了。

size_t x = word.find('ü');
while (x != string::npos)
    {
    word.erase(x, 1);
    word.insert(x, "ue");
    x = word.find('ü');
    }