Tkinter run python script from another folder with dependencies [duplicate] - python
This question already has answers here:
How do you properly determine the current script directory?
(16 answers)
Closed 6 months ago.
I'm building a simple helper script for work that will copy a couple of template files in our code base to the current directory. I don't, however, have the absolute path to the directory where the templates are stored. I do have a relative path from the script but when I call the script it treats that as a path relative to the current working directory. Is there a way to specify that this relative url is from the location of the script instead?
In the file that has the script, you want to do something like this:
import os
dirname = os.path.dirname(__file__)
filename = os.path.join(dirname, 'relative/path/to/file/you/want')
This will give you the absolute path to the file you're looking for. Note that if you're using setuptools, you should probably use its package resources API instead.
UPDATE: I'm responding to a comment here so I can paste a code sample. :-)
Am I correct in thinking that __file__ is not always available (e.g. when you run the file directly rather than importing it)?
I'm assuming you mean the __main__ script when you mention running the file directly. If so, that doesn't appear to be the case on my system (python 2.5.1 on OS X 10.5.7):
#foo.py
import os
print os.getcwd()
print __file__
#in the interactive interpreter
>>> import foo
/Users/jason
foo.py
#and finally, at the shell:
~ % python foo.py
/Users/jason
foo.py
However, I do know that there are some quirks with __file__ on C extensions. For example, I can do this on my Mac:
>>> import collections #note that collections is a C extension in Python 2.5
>>> collections.__file__
'/System/Library/Frameworks/Python.framework/Versions/2.5/lib/python2.5/lib-
dynload/collections.so'
However, this raises an exception on my Windows machine.
It's 2018 now, and Python has already evolved to the __future__ long time ago. So how about using the amazing pathlib coming with Python 3.4 to accomplish the task instead of struggling with os, os.path, glob , shutil, etc.
So we have 3 paths here (possibly duplicated):
mod_path: which is the path of the simple helper script
src_path: which contains a couple of template files waiting to be copied.
cwd: current directory, the destination of those template files.
and the problem is: we don't have the full path of src_path, only know its relative path to the mod_path.
Now let's solve this with the amazing pathlib:
# Hope you don't be imprisoned by legacy Python code :)
from pathlib import Path
# `cwd`: current directory is straightforward
cwd = Path.cwd()
# `mod_path`: According to the accepted answer and combine with future power
# if we are in the `helper_script.py`
mod_path = Path(__file__).parent
# OR if we are `import helper_script`
mod_path = Path(helper_script.__file__).parent
# `src_path`: with the future power, it's just so straightforward
relative_path_1 = 'same/parent/with/helper/script/'
relative_path_2 = '../../or/any/level/up/'
src_path_1 = (mod_path / relative_path_1).resolve()
src_path_2 = (mod_path / relative_path_2).resolve()
In the future, it's just that simple.
Moreover, we can select and check and copy/move those template files with pathlib:
if src_path != cwd:
# When we have different types of files in the `src_path`
for template_path in src_path.glob('*.ini'):
fname = template_path.name
target = cwd / fname
if not target.exists():
# This is the COPY action
with target.open(mode='wb') as fd:
fd.write(template_path.read_bytes())
# If we want MOVE action, we could use:
# template_path.replace(target)
you need os.path.realpath (sample below adds the parent directory to your path)
import sys,os
sys.path.append(os.path.realpath('..'))
As mentioned in the accepted answer
import os
dir = os.path.dirname(__file__)
filename = os.path.join(dir, '/relative/path/to/file/you/want')
I just want to add that
the latter string can't begin with the backslash , infact no string
should include a backslash
It should be something like
import os
dir = os.path.dirname(__file__)
filename = os.path.join(dir, 'relative','path','to','file','you','want')
The accepted answer can be misleading in some cases , please refer to this link for details
Consider my code:
import os
def readFile(filename):
filehandle = open(filename)
print filehandle.read()
filehandle.close()
fileDir = os.path.dirname(os.path.realpath('__file__'))
print fileDir
#For accessing the file in the same folder
filename = "same.txt"
readFile(filename)
#For accessing the file in a folder contained in the current folder
filename = os.path.join(fileDir, 'Folder1.1/same.txt')
readFile(filename)
#For accessing the file in the parent folder of the current folder
filename = os.path.join(fileDir, '../same.txt')
readFile(filename)
#For accessing the file inside a sibling folder.
filename = os.path.join(fileDir, '../Folder2/same.txt')
filename = os.path.abspath(os.path.realpath(filename))
print filename
readFile(filename)
See sys.path
As initialized upon program startup, the first item of this list, path[0], is the directory containing the script that was used to invoke the Python interpreter.
Use this path as the root folder from which you apply your relative path
>>> import sys
>>> import os.path
>>> sys.path[0]
'C:\\Python25\\Lib\\idlelib'
>>> os.path.relpath(sys.path[0], "path_to_libs") # if you have python 2.6
>>> os.path.join(sys.path[0], "path_to_libs")
'C:\\Python25\\Lib\\idlelib\\path_to_libs'
Instead of using
import os
dirname = os.path.dirname(__file__)
filename = os.path.join(dirname, 'relative/path/to/file/you/want')
as in the accepted answer, it would be more robust to use:
import inspect
import os
dirname = os.path.dirname(os.path.abspath(inspect.stack()[0][1]))
filename = os.path.join(dirname, 'relative/path/to/file/you/want')
because using __file__ will return the file from which the module was loaded, if it was loaded from a file, so if the file with the script is called from elsewhere, the directory returned will not be correct.
These answers give more detail: https://stackoverflow.com/a/31867043/5542253 and https://stackoverflow.com/a/50502/5542253
From what suggest others and from pathlib documentation, a simple (but not ideal) solution is the following (suppose the file we need to refer to is Test/data/users.csv):
# Current file location: Tests/src/long/module/subdir/some_script.py
from pathlib import Path
# back to Tests/
PROJECT_ROOT = Path(__file__).parents[4]
# then down to Test/data/users.csv
CSV_USERS_PATH = PROJECT_ROOT / 'data' / 'users.csv'
with CSV_USERS_PATH.open() as users:
print(users.read())
This works but looks a bit odd because if you move some_script.py around, the path to the root of our project may change (and we would therefore need to change the parents[4] part).
I think I found a better solution that, based on the same idea.
We will use a file paths.py to store where the root of the project is, this file will remain at the same location compared to the root directory.
Tests
├── data
│ └── users.csv
└── src
├── long
│ └── module
│ └── subdir
│ └── some_script.py
├── main.py
└── paths.py
Where paths.py's only responsability is to provide PROJECT_ROOT:
from pathlib import Path
PROJECT_ROOT = Path(__file__).parents[1]
All scripts can now use paths.PROJECT_ROOT to express absolute paths from the root of the project. For example in src/long/module/subdir/some_script.py we could have:
from paths import PROJECT_ROOT
CSV_USERS_PATH = PROJECT_ROOT / 'data' / 'users.csv'
def hello():
with CSV_USERS_PATH.open() as f:
print(f.read())
And everything goes as expected:
~/Tests/src/$ python main.py
/Users/cglacet/Tests/data/users.csv
hello, user
~/Tests/$ python src/main.py
/Users/cglacet/Tests/data/users.csv
hello, user
The main.py script simply is:
from long.module.subdir import some_script
some_script.hello()
summary of the most important commands
>>> import os
>>> os.path.join('/home/user/tmp', 'subfolder')
'/home/user/tmp/subfolder'
>>> os.path.normpath('/home/user/tmp/../test/..')
'/home/user'
>>> os.path.relpath('/home/user/tmp', '/home/user')
'tmp'
>>> os.path.isabs('/home/user/tmp')
True
>>> os.path.isabs('/tmp')
True
>>> os.path.isabs('tmp')
False
>>> os.path.isabs('./../tmp')
False
>>> os.path.realpath('/home/user/tmp/../test/..') # follows symbolic links
'/home/user'
A detailed description is found in the docs.
These are linux paths. Windows should work analogous.
Hi first of all you should understand functions os.path.abspath(path) and os.path.relpath(path)
In short os.path.abspath(path) makes a relative path to absolute path. And if the path provided is itself a absolute path then the function returns the same path.
similarly os.path.relpath(path) makes a absolute path to relative path. And if the path provided is itself a relative path then the function returns the same path.
Below example can let you understand the above concept properly:
suppose i have a file input_file_list.txt which contains list of input files to be processed by my python script.
D:\conc\input1.dic
D:\conc\input2.dic
D:\Copyioconc\input_file_list.txt
If you see above folder structure, input_file_list.txt is present in Copyofconc folder and the files to be processed by the python script are present in conc folder
But the content of the file input_file_list.txt is as shown below:
..\conc\input1.dic
..\conc\input2.dic
And my python script is present in D: drive.
And the relative path provided in the input_file_list.txt file are relative to the path of input_file_list.txt file.
So when python script shall executed the current working directory (use os.getcwd() to get the path)
As my relative path is relative to input_file_list.txt, that is "D:\Copyofconc", i have to change the current working directory to "D:\Copyofconc".
So i have to use os.chdir('D:\Copyofconc'), so the current working directory shall be "D:\Copyofconc".
Now to get the files input1.dic and input2.dic, i will read the lines "..\conc\input1.dic" then shall use the command
input1_path= os.path.abspath('..\conc\input1.dic') (to change relative path to absolute path. Here as current working directory is "D:\Copyofconc", the file ".\conc\input1.dic" shall be accessed relative to "D:\Copyofconc")
so input1_path shall be "D:\conc\input1.dic"
This code will return the absolute path to the main script.
import os
def whereAmI():
return os.path.dirname(os.path.realpath(__import__("__main__").__file__))
This will work even in a module.
An alternative which works for me:
this_dir = os.path.dirname(__file__)
filename = os.path.realpath("{0}/relative/file.path".format(this_dir))
Example
Here's an example, tested in Python '3.9.5`:
your current directory: 'c:\project1\code\'
and you want to access the following folder: 'c:\project1\dataset\train\'.
Then you can access the folder using the following address: '../dataset/train/'
References
If you want some more information about path in Python, read this:
PEP - 355
PEP - 519
What worked for me is using sys.path.insert. Then I specified the directory I needed to go. For example I just needed to go up one directory.
import sys
sys.path.insert(0, '../')
I think to work with all systems use "ntpath" instead of "os.path". Today, it works well with Windows, Linux and Mac OSX.
import ntpath
import os
dirname = ntpath.dirname(__file__)
filename = os.path.join(dirname, 'relative/path/to/file/you/want')
A simple solution would be
import os
os.chdir(os.path.dirname(__file__))
From C:\Users\xyz\myFolder to C:\Users\xyz\testdata :
import os
working_dir = os.path.abspath(os.path.dirname(os.path.dirname(__file__)))
# C:\Users\xyz\myFolder
print(working_dir)
updated_working_dir = os.path.join(os.path.realpath(working_dir + '/../'), 'testdata')
# C:\Users\xyz\testdata
print(updated_working_dir)
Output
C:\Users\xyz\myFolder
C:\Users\xyz\testdata
Here is my sumup:
First, define the tool function named relpath, which convert a relative path to current file into a relative path to cwd
import os
relpath = lambda p: os.path.normpath(os.path.join(os.path.dirname(__file__), p))
Then we use it to wrap paths which is relative to current file
path1 = relpath('../src/main.py')
And you can also call sys.path.append() to import file relative to current file position
sys.path.append(relpath('..')) # so that you can import from upper dir
The full example code : https://gist.github.com/luochen1990/9b1ffa30f5c4a721dab5991e040e3eb1
Say the current archive named "Helper" and the upper directory named "Workshop", and the template files are in \Workshop\Templates, then the relative path in Python is "..\Templates".
This a simple way to add a relative path to the system path set . For example, for frequent case when the target directory is one level above (thus, '/../') the working directory:
import os
import sys
workingDir = os.getcwd()
targetDir = os.path.join(os.path.relpath(workingDir + '/../'),'target_directory')
sys.path.insert(0,targetDir)
This solution was tested for:
Python 3.9.6 | packaged by conda-forge | (default, Jul 11 2021,
03:37:25) [MSC v.1916 64 bit (AMD64)]
I'm not sure if this applies to some of the older versions, but I believe Python 3.3 has native relative path support.
For example the following code should create a text file in the same folder as the python script:
open("text_file_name.txt", "w+t")
(note that there shouldn't be a forward or backslash at the beginning if it's a relative path)
Related
Given a Python *.py file what's the canonical way to determine the dotted import path for that file, programmatically?
Suppose you get a pathlib.Path that points to a *.py file. And also suppose that this is a resource you could import in another Python file, given the appropriate import path, because your sys.path allows for it. How do you determine the dotted import path to use in import, from just the python file? Unlike most of the import-related questions, this is NOT about the path from one Python file to another within a directory hierarchy, it is really more about the import path you could specify in the REPL from anywhere to import that module and that's affected by sys.path contents. Example: $test_366_importpath$ tree -I __pycache__ . └── sub └── somemodule.py somemodule.py "some module" class Foo: "Foo class" If I start python at that location, because sys.path gets the current directory, this works: from sub.somemodule import Foo sub.somemodule is what I am interested in. However, if the sys.path gets altered, then I can use a different import path. import sys sys.path.insert(0, "/Users/me/explore/test_366_importpath/sub") from somemodule import Foo (note: I wouldn't be doing this "for real", neither the sys.path.insert, nor varying the dotted path I'd use, see #CryptoFool's comment. This is just a convient way to show sys.path impact) Question: How do I determine, programmatically, that import sub.somemodule needs to be used as the dotted path? Or import somemodule given different sys.path conditions? Raising an ImportError or ValueError or some other exceptions if the *.py file is not importable is perfectly OK. I'm writing a helper using pa_script = pathlib.Path("somemodule.py").absolute().resolve() and then looking at sys.path. Once I find that a given sys.path entry is the parent for the pa_script, I can use pa_script.relative_to(parent). From there it's trivial to get the import path by removing the .py extension and replacing os.sep with .. Then I can feed that dotted path to importlib. Or paste into my code editor. It's a bit tricky but not particularly hard. Makes me wonder however if there isn't a builtin or canonical way however. I can post my code, but really if there is a canonical way to do it, it would just give the wrong impression that's it's necessary to do these complicated steps.
Well here goes then, in case anyone needs something similar (for Python 3.10+, but removing typehints should make it work down to much earlier 3.x versions) from pathlib import Path import sys import os def get_dotted_path(path_to_py: str | Path, paths: list[str] | None = None) -> str: """ return a dotted-path import string from a Python filename if given, `paths` will be examined as if it was `sys.path` else `sys.path` is used to determine import points (this is to compute paths assuming a different sys.path context than the current one) ) example: .../lib/python3.10/collections/__init__.py => "collections" .../lib/python3.10/collections/abc.py => "collections.abc" raises ImportError if the Python script is not in sys.path or paths """ parent = None pa_target = Path(path_to_py) paths = paths or sys.path # get the full file path AND resolve if it's a symlink pa_script = pa_target.absolute().resolve().absolute() # consider pkg/subpk/__init__.py as pkg/subpk if pa_script.name == "__init__.py": pa_script = pa_script.parent for path in paths: pa_path = Path(path) if pa_path in pa_script.parents: parent = pa_path break else: newline = "\n" raise ImportError( f"{pa_script} nowhere in sys.path: {newline.join([''] + paths)}" ) pa_relative = pa_script.relative_to(parent) res = str(pa_relative).removesuffix(".py").replace(os.sep, ".") return res
Best practices for giving a relative file path in python so that the program can be used in the most locations [duplicate]
This question already has answers here: How do you properly determine the current script directory? (16 answers) Closed 6 months ago. I'm building a simple helper script for work that will copy a couple of template files in our code base to the current directory. I don't, however, have the absolute path to the directory where the templates are stored. I do have a relative path from the script but when I call the script it treats that as a path relative to the current working directory. Is there a way to specify that this relative url is from the location of the script instead?
In the file that has the script, you want to do something like this: import os dirname = os.path.dirname(__file__) filename = os.path.join(dirname, 'relative/path/to/file/you/want') This will give you the absolute path to the file you're looking for. Note that if you're using setuptools, you should probably use its package resources API instead. UPDATE: I'm responding to a comment here so I can paste a code sample. :-) Am I correct in thinking that __file__ is not always available (e.g. when you run the file directly rather than importing it)? I'm assuming you mean the __main__ script when you mention running the file directly. If so, that doesn't appear to be the case on my system (python 2.5.1 on OS X 10.5.7): #foo.py import os print os.getcwd() print __file__ #in the interactive interpreter >>> import foo /Users/jason foo.py #and finally, at the shell: ~ % python foo.py /Users/jason foo.py However, I do know that there are some quirks with __file__ on C extensions. For example, I can do this on my Mac: >>> import collections #note that collections is a C extension in Python 2.5 >>> collections.__file__ '/System/Library/Frameworks/Python.framework/Versions/2.5/lib/python2.5/lib- dynload/collections.so' However, this raises an exception on my Windows machine.
It's 2018 now, and Python has already evolved to the __future__ long time ago. So how about using the amazing pathlib coming with Python 3.4 to accomplish the task instead of struggling with os, os.path, glob , shutil, etc. So we have 3 paths here (possibly duplicated): mod_path: which is the path of the simple helper script src_path: which contains a couple of template files waiting to be copied. cwd: current directory, the destination of those template files. and the problem is: we don't have the full path of src_path, only know its relative path to the mod_path. Now let's solve this with the amazing pathlib: # Hope you don't be imprisoned by legacy Python code :) from pathlib import Path # `cwd`: current directory is straightforward cwd = Path.cwd() # `mod_path`: According to the accepted answer and combine with future power # if we are in the `helper_script.py` mod_path = Path(__file__).parent # OR if we are `import helper_script` mod_path = Path(helper_script.__file__).parent # `src_path`: with the future power, it's just so straightforward relative_path_1 = 'same/parent/with/helper/script/' relative_path_2 = '../../or/any/level/up/' src_path_1 = (mod_path / relative_path_1).resolve() src_path_2 = (mod_path / relative_path_2).resolve() In the future, it's just that simple. Moreover, we can select and check and copy/move those template files with pathlib: if src_path != cwd: # When we have different types of files in the `src_path` for template_path in src_path.glob('*.ini'): fname = template_path.name target = cwd / fname if not target.exists(): # This is the COPY action with target.open(mode='wb') as fd: fd.write(template_path.read_bytes()) # If we want MOVE action, we could use: # template_path.replace(target)
you need os.path.realpath (sample below adds the parent directory to your path) import sys,os sys.path.append(os.path.realpath('..'))
As mentioned in the accepted answer import os dir = os.path.dirname(__file__) filename = os.path.join(dir, '/relative/path/to/file/you/want') I just want to add that the latter string can't begin with the backslash , infact no string should include a backslash It should be something like import os dir = os.path.dirname(__file__) filename = os.path.join(dir, 'relative','path','to','file','you','want') The accepted answer can be misleading in some cases , please refer to this link for details
Consider my code: import os def readFile(filename): filehandle = open(filename) print filehandle.read() filehandle.close() fileDir = os.path.dirname(os.path.realpath('__file__')) print fileDir #For accessing the file in the same folder filename = "same.txt" readFile(filename) #For accessing the file in a folder contained in the current folder filename = os.path.join(fileDir, 'Folder1.1/same.txt') readFile(filename) #For accessing the file in the parent folder of the current folder filename = os.path.join(fileDir, '../same.txt') readFile(filename) #For accessing the file inside a sibling folder. filename = os.path.join(fileDir, '../Folder2/same.txt') filename = os.path.abspath(os.path.realpath(filename)) print filename readFile(filename)
See sys.path As initialized upon program startup, the first item of this list, path[0], is the directory containing the script that was used to invoke the Python interpreter. Use this path as the root folder from which you apply your relative path >>> import sys >>> import os.path >>> sys.path[0] 'C:\\Python25\\Lib\\idlelib' >>> os.path.relpath(sys.path[0], "path_to_libs") # if you have python 2.6 >>> os.path.join(sys.path[0], "path_to_libs") 'C:\\Python25\\Lib\\idlelib\\path_to_libs'
Instead of using import os dirname = os.path.dirname(__file__) filename = os.path.join(dirname, 'relative/path/to/file/you/want') as in the accepted answer, it would be more robust to use: import inspect import os dirname = os.path.dirname(os.path.abspath(inspect.stack()[0][1])) filename = os.path.join(dirname, 'relative/path/to/file/you/want') because using __file__ will return the file from which the module was loaded, if it was loaded from a file, so if the file with the script is called from elsewhere, the directory returned will not be correct. These answers give more detail: https://stackoverflow.com/a/31867043/5542253 and https://stackoverflow.com/a/50502/5542253
From what suggest others and from pathlib documentation, a simple (but not ideal) solution is the following (suppose the file we need to refer to is Test/data/users.csv): # Current file location: Tests/src/long/module/subdir/some_script.py from pathlib import Path # back to Tests/ PROJECT_ROOT = Path(__file__).parents[4] # then down to Test/data/users.csv CSV_USERS_PATH = PROJECT_ROOT / 'data' / 'users.csv' with CSV_USERS_PATH.open() as users: print(users.read()) This works but looks a bit odd because if you move some_script.py around, the path to the root of our project may change (and we would therefore need to change the parents[4] part). I think I found a better solution that, based on the same idea. We will use a file paths.py to store where the root of the project is, this file will remain at the same location compared to the root directory. Tests ├── data │ └── users.csv └── src ├── long │ └── module │ └── subdir │ └── some_script.py ├── main.py └── paths.py Where paths.py's only responsability is to provide PROJECT_ROOT: from pathlib import Path PROJECT_ROOT = Path(__file__).parents[1] All scripts can now use paths.PROJECT_ROOT to express absolute paths from the root of the project. For example in src/long/module/subdir/some_script.py we could have: from paths import PROJECT_ROOT CSV_USERS_PATH = PROJECT_ROOT / 'data' / 'users.csv' def hello(): with CSV_USERS_PATH.open() as f: print(f.read()) And everything goes as expected: ~/Tests/src/$ python main.py /Users/cglacet/Tests/data/users.csv hello, user ~/Tests/$ python src/main.py /Users/cglacet/Tests/data/users.csv hello, user The main.py script simply is: from long.module.subdir import some_script some_script.hello()
summary of the most important commands >>> import os >>> os.path.join('/home/user/tmp', 'subfolder') '/home/user/tmp/subfolder' >>> os.path.normpath('/home/user/tmp/../test/..') '/home/user' >>> os.path.relpath('/home/user/tmp', '/home/user') 'tmp' >>> os.path.isabs('/home/user/tmp') True >>> os.path.isabs('/tmp') True >>> os.path.isabs('tmp') False >>> os.path.isabs('./../tmp') False >>> os.path.realpath('/home/user/tmp/../test/..') # follows symbolic links '/home/user' A detailed description is found in the docs. These are linux paths. Windows should work analogous.
Hi first of all you should understand functions os.path.abspath(path) and os.path.relpath(path) In short os.path.abspath(path) makes a relative path to absolute path. And if the path provided is itself a absolute path then the function returns the same path. similarly os.path.relpath(path) makes a absolute path to relative path. And if the path provided is itself a relative path then the function returns the same path. Below example can let you understand the above concept properly: suppose i have a file input_file_list.txt which contains list of input files to be processed by my python script. D:\conc\input1.dic D:\conc\input2.dic D:\Copyioconc\input_file_list.txt If you see above folder structure, input_file_list.txt is present in Copyofconc folder and the files to be processed by the python script are present in conc folder But the content of the file input_file_list.txt is as shown below: ..\conc\input1.dic ..\conc\input2.dic And my python script is present in D: drive. And the relative path provided in the input_file_list.txt file are relative to the path of input_file_list.txt file. So when python script shall executed the current working directory (use os.getcwd() to get the path) As my relative path is relative to input_file_list.txt, that is "D:\Copyofconc", i have to change the current working directory to "D:\Copyofconc". So i have to use os.chdir('D:\Copyofconc'), so the current working directory shall be "D:\Copyofconc". Now to get the files input1.dic and input2.dic, i will read the lines "..\conc\input1.dic" then shall use the command input1_path= os.path.abspath('..\conc\input1.dic') (to change relative path to absolute path. Here as current working directory is "D:\Copyofconc", the file ".\conc\input1.dic" shall be accessed relative to "D:\Copyofconc") so input1_path shall be "D:\conc\input1.dic"
This code will return the absolute path to the main script. import os def whereAmI(): return os.path.dirname(os.path.realpath(__import__("__main__").__file__)) This will work even in a module.
An alternative which works for me: this_dir = os.path.dirname(__file__) filename = os.path.realpath("{0}/relative/file.path".format(this_dir))
Example Here's an example, tested in Python '3.9.5`: your current directory: 'c:\project1\code\' and you want to access the following folder: 'c:\project1\dataset\train\'. Then you can access the folder using the following address: '../dataset/train/' References If you want some more information about path in Python, read this: PEP - 355 PEP - 519
What worked for me is using sys.path.insert. Then I specified the directory I needed to go. For example I just needed to go up one directory. import sys sys.path.insert(0, '../')
I think to work with all systems use "ntpath" instead of "os.path". Today, it works well with Windows, Linux and Mac OSX. import ntpath import os dirname = ntpath.dirname(__file__) filename = os.path.join(dirname, 'relative/path/to/file/you/want')
A simple solution would be import os os.chdir(os.path.dirname(__file__))
From C:\Users\xyz\myFolder to C:\Users\xyz\testdata : import os working_dir = os.path.abspath(os.path.dirname(os.path.dirname(__file__))) # C:\Users\xyz\myFolder print(working_dir) updated_working_dir = os.path.join(os.path.realpath(working_dir + '/../'), 'testdata') # C:\Users\xyz\testdata print(updated_working_dir) Output C:\Users\xyz\myFolder C:\Users\xyz\testdata
Here is my sumup: First, define the tool function named relpath, which convert a relative path to current file into a relative path to cwd import os relpath = lambda p: os.path.normpath(os.path.join(os.path.dirname(__file__), p)) Then we use it to wrap paths which is relative to current file path1 = relpath('../src/main.py') And you can also call sys.path.append() to import file relative to current file position sys.path.append(relpath('..')) # so that you can import from upper dir The full example code : https://gist.github.com/luochen1990/9b1ffa30f5c4a721dab5991e040e3eb1
Say the current archive named "Helper" and the upper directory named "Workshop", and the template files are in \Workshop\Templates, then the relative path in Python is "..\Templates".
This a simple way to add a relative path to the system path set . For example, for frequent case when the target directory is one level above (thus, '/../') the working directory: import os import sys workingDir = os.getcwd() targetDir = os.path.join(os.path.relpath(workingDir + '/../'),'target_directory') sys.path.insert(0,targetDir) This solution was tested for: Python 3.9.6 | packaged by conda-forge | (default, Jul 11 2021, 03:37:25) [MSC v.1916 64 bit (AMD64)]
I'm not sure if this applies to some of the older versions, but I believe Python 3.3 has native relative path support. For example the following code should create a text file in the same folder as the python script: open("text_file_name.txt", "w+t") (note that there shouldn't be a forward or backslash at the beginning if it's a relative path)
Hi. I'd like to ask a question about directory in python [duplicate]
This question already has answers here: How do you properly determine the current script directory? (16 answers) How to know/change current directory in Python shell? (7 answers) Closed 5 years ago. How do I determine: the current directory (where I was in the shell when I ran the Python script), and where the Python file I am executing is?
To get the full path to the directory a Python file is contained in, write this in that file: import os dir_path = os.path.dirname(os.path.realpath(__file__)) (Note that the incantation above won't work if you've already used os.chdir() to change your current working directory, since the value of the __file__ constant is relative to the current working directory and is not changed by an os.chdir() call.) To get the current working directory use import os cwd = os.getcwd() Documentation references for the modules, constants and functions used above: The os and os.path modules. The __file__ constant os.path.realpath(path) (returns "the canonical path of the specified filename, eliminating any symbolic links encountered in the path") os.path.dirname(path) (returns "the directory name of pathname path") os.getcwd() (returns "a string representing the current working directory") os.chdir(path) ("change the current working directory to path")
Current working directory: os.getcwd() And the __file__ attribute can help you find out where the file you are executing is located. This Stack Overflow post explains everything: How do I get the path of the current executed file in Python?
You may find this useful as a reference: import os print("Path at terminal when executing this file") print(os.getcwd() + "\n") print("This file path, relative to os.getcwd()") print(__file__ + "\n") print("This file full path (following symlinks)") full_path = os.path.realpath(__file__) print(full_path + "\n") print("This file directory and name") path, filename = os.path.split(full_path) print(path + ' --> ' + filename + "\n") print("This file directory only") print(os.path.dirname(full_path))
The pathlib module, introduced in Python 3.4 (PEP 428 — The pathlib module — object-oriented filesystem paths), makes the path-related experience much much better. pwd /home/skovorodkin/stack tree . └── scripts ├── 1.py └── 2.py In order to get the current working directory, use Path.cwd(): from pathlib import Path print(Path.cwd()) # /home/skovorodkin/stack To get an absolute path to your script file, use the Path.resolve() method: print(Path(__file__).resolve()) # /home/skovorodkin/stack/scripts/1.py And to get the path of a directory where your script is located, access .parent (it is recommended to call .resolve() before .parent): print(Path(__file__).resolve().parent) # /home/skovorodkin/stack/scripts Remember that __file__ is not reliable in some situations: How do I get the path of the current executed file in Python?. Please note, that Path.cwd(), Path.resolve() and other Path methods return path objects (PosixPath in my case), not strings. In Python 3.4 and 3.5 that caused some pain, because open built-in function could only work with string or bytes objects, and did not support Path objects, so you had to convert Path objects to strings or use the Path.open() method, but the latter option required you to change old code: File scripts/2.py from pathlib import Path p = Path(__file__).resolve() with p.open() as f: pass with open(str(p)) as f: pass with open(p) as f: pass print('OK') Output python3.5 scripts/2.py Traceback (most recent call last): File "scripts/2.py", line 11, in <module> with open(p) as f: TypeError: invalid file: PosixPath('/home/skovorodkin/stack/scripts/2.py') As you can see, open(p) does not work with Python 3.5. PEP 519 — Adding a file system path protocol, implemented in Python 3.6, adds support of PathLike objects to the open function, so now you can pass Path objects to the open function directly: python3.6 scripts/2.py OK
To get the current directory full path >>import os >>print os.getcwd() Output: "C :\Users\admin\myfolder" To get the current directory folder name alone >>import os >>str1=os.getcwd() >>str2=str1.split('\\') >>n=len(str2) >>print str2[n-1] Output: "myfolder"
Pathlib can be used this way to get the directory containing the current script: import pathlib filepath = pathlib.Path(__file__).resolve().parent
If you are trying to find the current directory of the file you are currently in: OS agnostic way: dirname, filename = os.path.split(os.path.abspath(__file__))
If you're using Python 3.4, there is the brand new higher-level pathlib module which allows you to conveniently call pathlib.Path.cwd() to get a Path object representing your current working directory, along with many other new features. More info on this new API can be found here.
To get the current directory full path: os.path.realpath('.')
Answer to #1: If you want the current directory, do this: import os os.getcwd() If you want just any folder name and you have the path to that folder, do this: def get_folder_name(folder): ''' Returns the folder name, given a full folder path ''' return folder.split(os.sep)[-1] Answer to #2: import os print os.path.abspath(__file__)
I think the most succinct way to find just the name of your current execution context would be: current_folder_path, current_folder_name = os.path.split(os.getcwd())
If you're searching for the location of the currently executed script, you can use sys.argv[0] to get the full path.
For question 1, use os.getcwd() # Get working directory and os.chdir(r'D:\Steam\steamapps\common') # Set working directory I recommend using sys.argv[0] for question 2 because sys.argv is immutable and therefore always returns the current file (module object path) and not affected by os.chdir(). Also you can do like this: import os this_py_file = os.path.realpath(__file__) # vvv Below comes your code vvv # But that snippet and sys.argv[0] will not work or will work weird when compiled by PyInstaller, because magic properties are not set in __main__ level and sys.argv[0] is the way your executable was called (it means that it becomes affected by the working directory).
How can I set the path of the script as working directory in Python using Atom editor?
I want to set the path of the python script as the working directory. I've tried the solutions I've found other solutions, but they aren't working for me. This solution: import os path = os.path.dirname(os.path.realpath(sys.argv[0])) dn = os.path.dirname(os.path.realpath("__file__")) dn gives: 'C:\\Users\\23392\\Desktop' and my script is in a folder of desktop. This solution: import os print(os.path.dirname(os.path.realpath(__file__))) gives the following error: NameError: name '__file__' is not defined I need to define it as a string to prevent the error. And I get the same result that the previous one: 'C:\\Users\\23392\\Desktop' The path should be: C:\Users\23392\Desktop\05_Work\test.py EDIT I've found a partial solution. If I open the file with right click->open with->Atom, it recognizes the path of the file. It works this way but it has to be another way to do it.
Please try this version: import os abspath = os.path.abspath(__file__) basename = os.path.basename(__file__) fullpath = os.path.join(abspath + "\\" + basename) print(fullpath) Write this code into a file and then run it using Python interpreter. If you try it from an interactive shell it will not work, __file__ is not defined in the interactive interpreter because it is meaningless there. It is set by the import implementation, so if you use a non-standard import mechanism it might also be unset.
Get absolute path of caller file
Say I have two files in different directories: 1.py (say, in C:/FIRST_FOLDER/1.py) and 2.py (say, in C:/SECOND_FOLDER/2.py). The file 1.py imports 2.py (using sys.path.insert(0, #path_of_2.py) followed, obviously, by import 2) and calls one of the functions in 2.py, the function it calls needs to know the absolute path of 1.py (it looks for a file in that same directory). I know there's inspect.stack()[1] but this only returns the file name and not the path. Any idea on how to implement this?
import inspect import os abs_path = os.path.abspath((inspect.stack()[0])[1]) directory_of_1py = os.path.dirname(abs_path) for more information on the module os.path
To return the absolute path of a python file, use python's __file__ attribute: import os path = os.path.abspath(__file__)