为每个使用内部字符串时出现运行时错误

Runtime error while using string inside for each

在此代码中,我收到以下运行时错误:

terminate called after throwing an instance of 'std::out_of_range'
what(): basic_string::replace bash: line 1: 9471 Aborted
(core dumped)

就我而言,这意味着我已经在 for each 循环中操作了向量,但我没有这样做。

#include <iostream>
#include <string>
#include <vector>


std::string replace(std::string text,
                  std::string find,
                  std::string replace)
{
    return(text.replace(text.find(find), find.length(), replace));
}

int main()
{
    std::vector<std::string> mylist={"col1","cell2","col3","cell4","col5"};

    for(const std::string item: mylist)
    {
        std::cout<<replace(item,"cell","item")<<std::endl;
    }

    return 0;
}

std::string returns npos 位置未找到搜索字符串时的find() 函数。此 npos 位置不能在 replace() 中使用并给出此错误。

您正在尝试将字符串 col1 中的 cell 替换为 item。没有这样的子字符串,所以 text.find() 将 return string::npos (通常是 ((size_t) -1),但特定于实现)。之后,string::npos 被传递给 replace(),这会导致异常。

像这样重写你的函数:

std::string replace(std::string text,
                std::string find,
                std::string replace)
{
    size_t idx = text.find(find);

    if(idx == std::string::npos)
        return(text);

    return(text.replace(idx, find.length(), replace));
}

这是一个克服运行时错误的程序:

#include <iostream>
#include <string>
#include <vector>


std::string replaceText(std::string text,
    std::string f,
    std::string r)
{
    size_t found = text.find(f);
    if (found != std::string::npos)
        return(text.replace(found, f.length(), r));
    return text;
}

int main()
{
    std::vector<std::string> mylist = { "col1", "col2", "col3", "col4", "col5" };

    for (const std::string item : mylist)
    {
        std::cout << replaceText(item, "cell", "item") << std::endl;
    }
    return 0;
}

主要部分是:

int found = text.find(f);
if (found != std::string::npos)
    return(text.replace(text.find(f), f.length(), r));
return text;

其中一个名为 found 的变量用于检查找到字符串时要做什么。如果找不到字符串,我将返回输入文本本身。

我更改了函数和变量名称以提高可读性。