我的代码中有一个C ++字符串,如:
"1 2 3 4 5 6 7 8"
我知道字符串由用空格char分隔的整数组成。我如何总结它们?
我是一个C ++新手,在Java中我只是这样做:
String str = "1 2 3 4 5 6 7 8";
int sum = 0;
for (int i = 0; i < str.split(" ").length; i++ {
sum += Integer.parse(str.split(" ")[i];
}
我怎样才能在C ++中使用我的字符串对象?
有些人建议我stringstream
,但我仍然无法理解这个对象,我需要完全读取字符串,获取其中的每一个数字。
提前致谢!
更新:有些人很乐意帮助我,但仍然无法正常工作。也许是因为我的问题的一些怪癖,我以前没有澄清过。所以这就是:
#include <iostream>
#include <string>
#include <sstream>
using namespace std;
int main()
{
freopen("variable-exercise.in", "r", stdin);
int sum = 0, start = 0;
string line;
while(getline(cin ,line)) {
istringstream iss(line);
while(iss >> start) {
sum += start;
}
cout << start << endl;
sum = start = 0;
}
return 0;
}
啊,输入文件包含以下内容:
1
3 4
8 1 1
7 2 9 3
1 1 1 1 1
0 1 2 5 6 10
因此,对于每一行,程序必须打印字符串行中所有整数的总和。此示例将生成:
1
7
10
21
5
24
感谢
答案 0 :(得分:5)
有些人建议我使用stringstream,但我仍然无法理解这个对象,我需要完全读取字符串
我猜你得到了很好的建议。使用std::istringstream
,您可以一个接一个地读取值,就像从标准输入(或任何其他输入流)中读取它们一样。
例如:
#include <sstream>
#include <string>
#include <iostream>
int main()
{
// Suppose at some time you have this string...
std::string s = "1 2 3 4 5 6 7 8 9 10";
// You can create an istringstream object from it...
std::istringstream iss(s);
int i = 0;
int sum = 0;
// And read all values one after the other...
while (iss >> i)
{
// ...of course updating the sum each time
sum += i;
}
std::cout << sum;
}
答案 1 :(得分:0)
像这样:
std::stringstream s("1 2 3 4 5 6 7 8 9");
int n = 0;
int x;
while (s >> x)
n += x;
std::cout << n << std::endl;
编辑后:
cout << start << endl;
这是错误的,你应该打印sum
而不是:
cout << sum << endl;
答案 2 :(得分:0)
我使用C代码来解决这个问题。这是最终的解决方案:
#include <stdio.h>
#include <string.h>
int main() {
char *c;
char line[100];
int x, sum = 0;
while(gets(line)) {
for(c = strtok(line, " "); c ; c = strtok(NULL, " ")) {
sscanf(c, "%d", &x);
sum += x;
}
printf("%d\n", sum);
sum = 0;
}
return 0;
}
希望它可以帮助任何可能遇到同样问题的人!