C++ ifstream 只读一个单词的数量

C++ ifstream read only number of a word

本文关键字:单词 一个 ifstream 只读 C++      更新时间:2023-10-16

所以我想从.txt文件中读取数字作为整数。

文件.txt:

hello 123-abc
world 456-def

当前代码:

int number;
ifstream file("file.txt");
while (!file.eof())
{
file >> number; //123, 456
}

现在这显然不起作用,我一直在尝试解决这个问题"一段时间",但我就是无法解决这个问题。

有很多方法可以做到这一点。 您尝试过的方法不起作用,因为流中的读取位置没有类似数字的东西。 因此,输入将失败,并且将设置流的故障位。 您将永远循环,因为您只是在测试eof。 阅读此内容以获取更多信息。

一个简单的方法是一次读取一行,然后利用第二个参数搜索第一个数字std::strtol

#include <iostream>
#include <string>
#include <experimental/optional>
std::experimental::optional<int> find_int_strtol( const std::string & s )
{
for( const char *p = s.c_str(); *p != ''; p++ )
{
char *next;
int value = std::strtol( p, &next, 10 );
if( next != p ) {
return value;
}
}
return {};
}
int main()
{
for( std::string line; std::getline( std::cin, line ); )
{
auto n = find_int_strtol( line );
if( n )
{
std::cout << "Got " << n.value() << " in " << line << std::endl;
}
}
return 0;
}

这有点笨拙,它还会检测您可能不想要的负面因素。 但这是一种简单的方法。 如果提取了任何字符,next指针将与p不同。 否则,函数将失败。 然后p递增 1 并再次搜索。 它看起来像多项式搜索,但它是线性的。

我从 C++17 开始使用std::optional,但我是在 C++14 编译器上进行测试。 这是为了方便。 您可以在没有它的情况下编写函数。

现场例子在这里。

解决此类问题的更灵活方法是使用正则表达式。 在这种情况下,您只需要一个简单的数字正则表达式搜索。 以下内容将仅查找正整数,但您也可以使用此类型的模式来查找复杂数据。 不要忘记包含标题<regex>

std::experimental::optional<int> find_int_regex( const std::string & s )
{
static const std::regex r( "(\d+)" );
std::smatch match;
if( std::regex_search( s.begin(), s.end(), match, r ) )
{
return std::stoi( match[1] );
}
return {};
}

现场例子在这里。

您需要检查文件是否已打开,然后获取当前行,然后解析该当前行以获取第一个数字:

std::string currentLine = "";
std::string numbers = "";
ifstream file("file.txt");
if(file.is_open())
{
while(std::getline(file, currentLine))
{
int index = currentLine.find_first_of(' '); // look for the first space
numbers = currentLine.substr(index + 1, xyz);
}
} 

xyz 是数字的长度(在这种情况下,如果总是常量,则为 3),或者您可以通过从(index, currentLine.back() - index);获取子字符串来查找下一个空格

我相信你可以弄清楚其余的,祝你好运。

逐行读取并删除所有不是数字的字符。在推到你的std::vector之前用std::stoi完成。

std::ifstream file{"file.txt"};
std::vector<int> numbers;
for (std::string s; std::getline(file, s);) {
s.erase(std::remove_if(std::begin(s), std::end(s),
[] (char c) { return !::isdigit(c); }), std::end(s));
numbers.push_back(std::stoi(s));
}

或者使用std::regex_replace删除非数字字符:

auto tmp = std::regex_replace(s, std::regex{R"raw([^d]+(d+).+)raw"}, "$1");
numbers.push_back(std::stoi(tmp));

现场示例

相关文章: