I have written the following source code to test whether a string
is a directory or a file.
import platform
from PathValidation import PathValidation # https://stackoverflow.com/a/34102855/159072
class SystemUtils:
@staticmethod
def is_file(path_string: str) -> bool:
return not SystemUtils.is_directory(path_string)
@staticmethod
def is_directory(path_string: str) -> bool:
is_win_os = SystemUtils.is_windows()
if is_win_os is True:
path_string = SystemUtils.to_windows_path(path_string)
else:
path_string = SystemUtils.to_unix_path(path_string)
valid = PathValidation.is_pathname_valid(path_string)
if valid is False:
return False
if is_win_os is True:
if path_string.startswith("\\") or path_string.endswith("\\"):
return True
else:
if path_string.startswith("/") or path_string.endswith("/"):
return True
# END of outer if
return False
@staticmethod
def to_windows_path(path_string) -> str:
path_string = path_string.replace("/", "\\")
return path_string
@staticmethod
def to_unix_path(path_string) -> str:
path_string = path_string.replace("\\", "/")
return path_string
@staticmethod
def is_windows() -> bool:
system_type = platform.system()
if system_type == "Windows":
return True
else:
return False
@staticmethod
def is_linux() -> bool:
system_type = platform.system()
if system_type == "Linux":
return True
else:
return False
@staticmethod
def is_darwin() -> bool:
system_type = platform.system()
if system_type == "Darwin":
return True
else:
return False
Can anyone suggest any better technique?