0

我必须编写一个程序,从字符串中获取数字,然后对这些数字求和。

示例:字符串 test="12,20,7"; 结果=50

有人能帮我吗?泰

 string stringNumber="12,20,7";   
 vector<int> test;
 vector<int> position;
string help;
int br=0;
int a;
for(int x=0; x<stringNumber.length(); x++)
{
    if(stringNumber.at(x) !=';'){          //save numbers
        help=stringNumber.at(x);
        istringstream istr(help);
        istr>>a;
        test.push_back(a);
        br++;
    }
    if(stringNumber.at(x) ==';'){     //save position of ","
        position.push_back(br);
        br++;
    }
}
4

1 回答 1

1

这是一个可能的替代方案,不需要保存分隔符的数字和位置。它也没有使用std::stringstream,尽管它可以很容易地重写以使用它而不是std::atoi(). 最后,您可以将您喜欢的分隔符作为第二个参数传递给compute_sum,默认为","

#include <string>
#include <cstdlib>

int compute_sum(std::string const& s, std::string const& delim = ",")
{
    int sum = 0;
    auto pos = s.find(delim);
    decltype(pos) start = 0;
    while (pos != std::string::npos)
    {
        auto sub = s.substr(start, pos - start);
        sum += std::atoi(sub.c_str());

        start = pos + 1;
        pos = s.find(delim, start);
    }

    if (start != pos + 1)
    {
        auto sub = s.substr(start);
        sum += std::atoi(sub.c_str());
    }

    return sum;
}

这是你将如何使用它:

#include <iostream>

int main()
{
    std::cout << compute_sum("12,20,7");
}

这是一个活生生的例子

于 2013-04-06T09:44:54.260 回答