我有一个相对路径(例如“foo / bar / baz / quux.xml”),我想关闭一个目录,以便我有子目录+文件(例如“bar / baz / quux.xml”) )。
你可以用路径迭代器做到这一点,但我希望文档中缺少一些东西或更优雅的东西。以下是我使用的代码。
#include <boost/filesystem/path.hpp>
#include <boost/filesystem/operations.hpp>
#include <boost/filesystem/convenience.hpp>
#include <boost/filesystem/exception.hpp>
#include <boost/assign.hpp>
boost::filesystem::path pop_directory(const boost::filesystem::path& path)
{
list<string> parts;
copy(path.begin(), path.end(), back_inserter(parts));
if (parts.size() < 2)
{
return path;
}
else
{
boost::filesystem::path pathSub;
for (list<string>::iterator it = ++parts.begin(); it != parts.end(); ++it)
{
pathSub /= *it;
}
return pathSub;
}
}
int main(int argc, char* argv)
{
list<string> test = boost::assign::list_of("foo/bar/baz/quux.xml")
("quux.xml")("foo/bar.xml")("./foo/bar.xml");
for (list<string>::iterator i = test.begin(); i != test.end(); ++i)
{
boost::filesystem::path p(*i);
cout << "Input: " << p.native_file_string() << endl;
boost::filesystem::path p2(pop_directory(p));
cout << "Subdir Path: " << p2.native_file_string() << endl;
}
}
输出结果为:
Input: foo/bar/baz/quux.xml
Subdir Path: bar/baz/quux.xml
Input: quux.xml
Subdir Path: quux.xml
Input: foo/bar.xml
Subdir Path: bar.xml
Input: ./foo/bar.xml
Subdir Path: foo/bar.xml
我所希望的是:
boost::filesystem::path p1(someString);
boost::filesystem::path p2(p2.pop());
如果你看一些test code on codepad.org,我尝试了branch_path(返回“foo / bar / baz”)和relative_path(返回“foo / bar / baz / quux.xml”)。
答案 0 :(得分:3)
以下是同事使用string::find
与boost::filesystem::slash
一起使用的内容。我喜欢它,它不需要遍历整个路径的迭代,而是使用路径的OS独立定义路径分离字符。谢谢Bodgan!
boost::filesystem::path pop_front_directory(const boost::filesystem::path& path)
{
string::size_type pos = path.string().find(boost::filesystem::slash<boost::filesystem::path>::value);
if (pos == string::npos)
{
return path;
}
else
{
return boost::filesystem::path(path.string().substr(pos+1));
}
}