This repository has been archived on 2020-04-08. You can view files and clone it, but cannot push or open issues or pull requests.
Files
Indoor/data/File.h
2018-10-25 11:50:12 +02:00

126 lines
2.2 KiB
C++
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

/*
* © Copyright 2014 Urheberrechtshinweis
* Alle Rechte vorbehalten / All Rights Reserved
*
* Programmcode ist urheberrechtlich geschuetzt.
* Das Urheberrecht liegt, soweit nicht ausdruecklich anders gekennzeichnet, bei Frank Ebner.
* Keine Verwendung ohne explizite Genehmigung.
* (vgl. § 106 ff UrhG / § 97 UrhG)
*/
#ifndef FS_FILE_H
#define FS_FILE_H
#include <string>
#include <vector>
#if __cplusplus > 201103L
// use new cross-platform std::experimental stuff
#include <experimental/filesystem>
namespace FS {
class File {
std::experimental::filesystem::path path;
public:
File(const std::string& fileOrFolder) : path(fileOrFolder) {
}
bool exists() const {
return std::experimental::filesystem::exists(path);
}
std::vector<File> listFiles() const {
std::vector<File> res;
for (std::experimental::filesystem::directory_entry entry : std::experimental::filesystem::directory_iterator(path)) {
const std::string abs = entry.path().string();
res.push_back(File(abs));
}
return res;
}
std::string getPath() const {
return path.string();
}
std::string getFilename() const {
return path.filename().string();
}
};
}
#else
// use linux-only fallback
#include <dirent.h>
#include <sys/stat.h>
namespace FS {
class File {
std::string path;
public:
File(const std::string& fileOrFolder) : path(fileOrFolder) {
}
bool exists() const {
struct stat st;
int res = stat(path.c_str(), &st );
return res == 0;
}
/** list of all files/folders within the current folder */
std::vector<File> listFiles() const {
std::vector<File> res;
DIR* dir;
dir = opendir(path.c_str());
if (!dir) {throw Exception("failed to open folder " + path);}
// fetch all entries
while(true) {
dirent* entry = readdir(dir);
if (!entry) {break;}
const std::string abs = path + "/" + entry->d_name;
res.push_back(File(abs));
}
return res;
}
const std::string& getPath() const {
return path;
}
const std::string getFilename() const {
const size_t lastSlash = path.find_last_of("/");
if (std::string::npos == lastSlash) {return path;}
std::string name = path.substr(lastSlash+1);
return name;
}
};
}
#endif
#endif // FS_FILE_H