Reputation: 5279
When I use boost::filesystem
to get a list of file names in a directory, I receive file names as well as directory names:
#include <string>
#include <iostream>
#include <boost/filesystem.hpp>
using namespace std;
using namespace boost::filesystem;
int main()
{
path p("D:/AnyFolder");
for (auto i = directory_iterator(p); i != directory_iterator(); i++)
{
cout << i->path().filename().string() << endl;
}
}
Output is like:
file1.txt
file2.dat
Folder1 //which is a folder
Is there a quick way to distinguish between files and folders? My OS is Windows 8.1, if it matters.
Upvotes: 2
Views: 6363
Reputation: 5279
Final code:
#include <string>
#include <iostream>
#include <boost/filesystem.hpp>
using namespace std;
using namespace boost::filesystem;
int main()
{
path p("D:/AnyFolder");
for (auto i = directory_iterator(p); i != directory_iterator(); i++)
{
if (!is_directory(i->path())) //we eliminate directories in a list
{
cout << i->path().filename().string() << endl;
}
else
continue;
}
}
Output is like:
file1.txt
file2.dat
Upvotes: 6