1

我正在尝试找到一种方法来找到一种方法来搜索 char 数组中的字符串,然后在每次出现时将其替换为另一个字符串。我很清楚该怎么做,但流背后的整个语法有时会让我感到困惑。无论如何,到目前为止我的代码(而且不是很多)是:

string FindWord = "the";
string ReplaceWord = "can";

int i = 0;
int SizeWord = FindWord.length();
int SizeReplace = ReplaceWord.length();

while (   Memory[i] != '\0')
{
         //now i know I can probably use a for loop and 
         //then if and else statements but im just not quite sure
    i++; //and then increment my position
}

我通常不会这么慢:/有什么想法吗?

4

2 回答 2

3

我更喜欢在将字符数组转换为std::string

以下很简单:-

#include<iostream>
#include<string>

int main ()
{

char memory[ ] = "This is the char array"; 
 //{'O','r',' ','m','a','y',' ','b','e',' ','t','h','i','s','\0'};

std::string s(memory);

std::string FindWord = "the";
std::string ReplaceWord = "can";


std::size_t index;
    while ((index = s.find(FindWord)) != std::string::npos)
        s.replace(index, FindWord.length(), ReplaceWord);

std::cout<<s;
return 0;
}
于 2013-08-26T05:54:08.567 回答
0

你需要两个for 循环,一个在另一个里面。外部 for 循环一次遍历Memory一个字符的字符串。内循环开始寻找FindWord你在外循环中的位置。

这是一个经典案例,您需要将问题分解为更小的步骤。您正在尝试的可能有点过于复杂,您无法一口气完成。

尝试以下策略

1)编写一些代码在另一个字符串的给定位置找到一个字符串,这将是内部循环。

2) 将步骤 1 中的代码放入另一个循环(外循环)中,该循环遍历您正在搜索的字符串中的每个位置。

3)现在您可以在另一个字符串中找到所有出现的字符串,添加替换逻辑。

于 2013-08-26T05:48:24.933 回答