I want to run mkdir command as:
mkdir -p directory_name
What's the method to do that in Python?
os.mkdir(directory_name [, -p]) didn't work for me.
I want to run mkdir command as:
mkdir -p directory_name
What's the method to do that in Python?
os.mkdir(directory_name [, -p]) didn't work for me.
 
    
    You can try this:
# top of the file
import os
import errno
# the actual code
try:
    os.makedirs(directory_name)
except OSError as exc: 
    if exc.errno == errno.EEXIST and os.path.isdir(directory_name):
        pass
 
    
    According to the documentation, you can now use this since python 3.2
os.makedirs("/directory/to/make", exist_ok=True)
and it will not throw an error when the directory exists.
 
    
     
    
    Something like this:
if not os.path.exists(directory_name):
    os.makedirs(directory_name)
UPD: as it is said in a comments you need to check for exception for thread safety
try:
    os.makedirs(directory_name)
except OSError as err:
    if err.errno!=17:
        raise
 
    
     
    
    If you're using pathlib, use Path.mkdir(parents=True, exist_ok=True)
from pathlib import Path
new_directory = Path('./some/nested/directory')
new_directory.mkdir(parents=True, exist_ok=True)
parents=True creates parent directories as needed
exist_ok=True tells mkdir() to not error if the directory already exists
See the pathlib.Path.mkdir() docs.
