clamp
clamp

Reputation: 34016

c++ how to create a directory from a path

what is a convenient way to create a directory when a path like this is given: "\server\foo\bar\"

note that the intermediate directories may not exist.

CreateDirectory and mkdir only seem to create the last part of a directory and give an error otherwise.

the platform is windows, MSVC compiler.

thanks!

Upvotes: 10

Views: 13836

Answers (5)

Szyk Cech
Szyk Cech

Reputation: 31

Since C++17:

bool create_directories( const std::filesystem::path& p );
bool create_directories( const std::filesystem::path& p, std::error_code& ec );

More info: https://en.cppreference.com/w/cpp/filesystem/create_directory

Upvotes: 0

Dawid
Dawid

Reputation: 4062

You can also use template bool create_directories(const Path & p) from Boost::Filesystem library. And it is available not only in Windows.

Upvotes: 0

gnud
gnud

Reputation: 78538

If you can use an external library, I'd look at boost::filesystem

#include <boost/filesystem.hpp>
namespace fs=boost::filesystem;

int main(int argc, char** argv)
{
    fs::create_directories("/some/path");
}

Upvotes: 23

Ferruccio
Ferruccio

Reputation: 100658

SHCreateDirectoryEx() can do that. It's available on XP SP2 and newer versions of Windows.

Upvotes: 6

unwind
unwind

Reputation: 399843

I'd write a loop. Split the path into components, and "walk it", i.e. starting at the beginning, check to see if it exists. If it does, enter it and continue. If it does not, create it, enter it and continue. For bonus points, detect if a component exists, but is a file rather than an a directory.

Upvotes: 1

Related Questions