我正在使用 C++ 中的文件名。我需要知道如何提取文件名的某些部分?文件名如下:
/home/xyz/123b45.dat
/home/xyz/012b06c.dat
/home/xyz/103b12d.dat
/home/xyz/066b50.dat
我想从每个文件名中提取“b”(45、06、12、50)之后的两位数字并存储在一个数组中。有人可以建议如何做到这一点...
使用std::string::find
和std::string::substr
:
int main()
{
std::string line;
std::vector<std::string> parts;
while (std::getline(std::cin, line))
{
auto suffix = line.find(".dat");
if ( suffix != std::string::npos && suffix >= 2)
{
std::string part = line.substr(suffix-2, 2);
parts.push_back(part);
}
}
for ( auto & s : parts )
std::cout << s << '\n';
return 0;
}
您输入的输出:
$ ./a.out < inp
45
06
12
50
或者,如果您绝对确定每一行格式正确,您可以将循环内部替换为:
std::string part = line.substr(line.size()-6, 2);
parts.push_back(part);
(不建议)。
编辑:我注意到你改变了问题的标准,所以这里是新标准的替换循环:
auto bpos = line.find_last_of('b');
if ( bpos != std::string::npos && line.size() >= bpos+2)
{
std::string part = line.substr(bpos+1, 2);
parts.push_back(part);
}
请注意,所有这些变体都具有相同的输出。
你也可以isdigit
在里面放一个很好的衡量标准。
最终编辑:这是完整bpos
版,c++98
兼容:
#include <iostream>
#include <vector>
#include <string>
int main()
{
std::string line;
std::vector<std::string> parts;
// Read all available lines.
while (std::getline(std::cin, line))
{
// Find the last 'b' in the line.
std::string::size_type bpos = line.find_last_of('b');
// Make sure the line is reasonable
// (has a 'b' and at least 2 characters after)
if ( bpos != std::string::npos && line.size() >= bpos+2)
{
// Get the 2 characters after the 'b', as a std::string.
std::string part = line.substr(bpos+1, 2);
// Push that onto the vector.
parts.push_back(part);
}
}
// This just prints out the vector for the example,
// you can safely ignore it.
std::vector<std::string>::const_iterator it = parts.begin();
for ( ; it != parts.end(); ++it )
std::cout << *it << '\n';
return 0;
}
考虑到您的问题的标题,我假设您将文件名存储vectors
为chars
. 一个更好的方法是使用std::string
s. 字符串允许各种设施功能,包括子字符串的标记和检索等(这是您想要做的)。