如何解析用户给出的字符串并将所有出现的旧子字符串与新字符串交换。我有一个可以使用的函数,但在字符串方面我真的不确定。
void spliceSwap( char* inputStr, const char* oldStr, const char* newStr )
最简单的解决方案是在此处使用 google(第一个链接)。另请注意,在 C++ 中,我们更std::string
喜欢const char *
. 不要自己写std::string
,使用内置的。您的代码似乎比 C++ 更像C!
// Zammbi's variable names will help answer your question
// params find and replace cannot be NULL
void FindAndReplace( std::string& source, const char* find, const char* replace )
{
// ASSERT(find != NULL);
// ASSERT(replace != NULL);
size_t findLen = strlen(find);
size_t replaceLen = strlen(replace);
size_t pos = 0;
// search for the next occurrence of find within source
while ((pos = source.find(find, pos)) != std::string::npos)
{
// replace the found string with the replacement
source.replace( pos, findLen, replace );
// the next line keeps you from searching your replace string,
// so your could replace "hello" with "hello world"
// and not have it blow chunks.
pos += replaceLen;
}
}