我的输入格式如下:
整数多字串整数
我知道多字串的最大长度,但我不知道它包含多少字。我怎么读呢?
答案 0 :(得分:5)
我首先读取了这行,然后将第一个和最后一个单词转换为整数。松散:
std::string line;
std::getline(infile, line);
size_t ofs_front = line.find(' ');
size_t ofs_back = line.rfind(' ');
int front = std::strtol(line.substr(0, ofs_front).c_str(), NULL, 0);
int back = std::strtol(line.substr(ofs_back).c_str(), NULL, 0);
std::string text = line.substr(ofs_front, ofs_back - ofs_front);
您必须进行一些修改以消除空格(例如,增加偏移量以吞噬所有空格),并且您应该添加大量错误检查。
如果要对文本中的所有内部空间进行规范化,那么还有另一种使用字符串流的解决方案:
std::vector<std::string> tokens;
{
std::istringstream iss(line);
std::string token;
while (iss >> token) tokens.push_back(token);
}
// process tokens.front() and tokens.back() for the integers, as above
std::string text = tokens[1];
for (std::size_t i = 2; i + 1 < tokens.size(); ++i) text += " " + tokens[i];
答案 1 :(得分:1)
读取第一个整数。跳转到字符串后面并跳过数字。然后从这一点读取一个int。中间的部分是字符串。可能不是100%正确但是:
char buf[256], *t = buf, *p, str[256];
fread(buf, 1, 256, file);
int s,e;
t += sscanf(buf, "%d", &s);
*p = buf + strlen(buf);
while (isdigit(*p)) p--;
sscanf(p, "%d", &e);
strncpy(str, p, p - t);
答案 2 :(得分:1)
这不如@ KerrekSB的solution有效,但另一种方法是提取第一个整数,然后遍历字符串的其余部分,直到找到第二个整数。
#include <iostream>
#include <sstream>
int main()
{
std::istringstream ss( "100 4 words to discard 200" );
int first, second;
char buf[1000] = {0};
if( !( ss >> first ) ) {
std::cout << "failed to read first int\n";
return 1;
}
while( !( ss >> second ) || !ss.eof() ) {
if( ss.eof() ) {
std::cout << "failed to read second int\n";
return 1;
}
ss.clear();
if( ss.getline( buf, 1000, ' ' ).bad() ) {
std::cout << "error extracting word\n";
return 1;
}
}
std::cout << "first = " << first << "\n";
std::cout << "second = " << second << "\n";
return 0;
}