我需要阅读类似的内容:
5 60 35 42
2 38 6
5 8
300 1500 900
然后将第一行保存在数组中。调用其他函数后,对下一行执行相同的操作,依此类推。
我尝试使用gets()
,然后使用sscanf()
扫描字符串中的整数,但我不知道如何从字符串中读取n个数字。
答案 0 :(得分:24)
如果您有未知数量的条目分布在未知行数,以EOF结尾:
int n;
while(cin >> n)
vector_of_int.push_back(n);
如果您有已知数量的条目分布在未知行数上:
int n;
int number_of_entries = 20; // 20 for example, I don't know how many you have.
for(int i ; i < number_of_entries; ++i)
if(cin >> n)
vector_of_int.push_back(n);
如果您在一行中有无数的条目:
std::string str;
std::getline(std::cin, str);
std::istringstream sstr(str);
int n;
while(sstr >> n)
vector_of_int.push_back(n);
如果您在已知行数中分布了未知数量的条目:
for(int i = 0; i < number_of_lines; ++i) {
std::string str;
if(std::getline(std::cin, str)) {
std::istringstream sstr(str);
int n;
while(sstr >> n)
vector_of_int.push_back(n);
}
}
答案 1 :(得分:9)
我之前看过比赛的输入文件。如果速度比错误检测更重要,您可以使用自定义例程。这是一个类似于我使用的:
void readintline(unsigned int* array, int* size) {
char buffer[101];
size=0;
char* in=buffer;
unsigned int* out=array;
fgets(buffer, 100, stdin);
do {
*out=0;
while(*in>='0') {
*out= *out* 10 + *in-'0';
++in;
}
if (*in)
++in; //skip whitespace
++out;
} while(*in);
size = out-array;
}
如果一行中有超过100个字符,或者数组可以容纳的数字超过100个字符,它会破坏你的记忆,但你无法更快地读取无符号整数行。
另一方面,如果你想要简单:
int main() {
std::string tmp;
while(std::getline(std::cin, tmp)) {
std::vector<int> nums;
std::stringstream ss(tmp);
int ti;
while(ss >> ti)
nums.push_back(ti);
//do stuff with nums
}
return 0;
}
答案 2 :(得分:4)
我可能会编写类似这样的代码:
// Warning: untested code.
std::vector<int> read_line_ints(std::istream &is) {
std::string temp;
std::getline(is, temp);
std::istringstream buffer(temp);
int num;
std::vector<int> ret;
while (buffer>>num)
ret.push_back(num);
return ret;
}
答案 3 :(得分:3)
在C ++中,您可以使用std::istringstream
。
std::string nums = "1 20 300 4000";
std::istringstream stream(nums);
int a, b, c, d;
stream >> a >> b >> c >> d;
assert(a == 1 && b == 20 && c == 300 && d == 4000);
如果你想从标准输入中获取它,那么就这样做,但只需使用std::cin
std::cin >> a >> b >> c >> d;
答案 4 :(得分:3)
快速解决方案是使用scanf()
int array[1000];
int index = 0;
while ((index < 1000) && (scanf("%d", &tmp) == 1)) {
array[index++] = tmp;
}
这还需要更多验证......
答案 5 :(得分:2)
C ++:
vector<int> ints;
while( !cin.eof() )
{
int t;
cin >> t;
if ( !cin.eof() )
ints.push_back(t);
}
替代方案(thx to Shahbaz)
int t;
vector<int> ints;
while(cin >> t)
ints.push_back(t);
答案 6 :(得分:0)
在C ++中,通过stdin读取由空格分隔的N个整数非常简单:
#include <iostream>
using namespace std;
const unsigned N = 5;
int main(void)
{
int nums[N];
for (unsigned i = 0; i < N; ++i)
cin >> nums[i];
cout << "Your numbers were:\n";
for (unsigned i = 0; i < N; ++i)
cout << nums[i] << " ";
cout << "\n";
return 0;
}