Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I fix the relative import error: "with no known parent package"?

I have been trying for a couple of days to solve the relative import error in my project with no success. I have the following project tree:

proj
|
|---__init__.py
|
|---lib
|    |---__init__.py
|    |---func.py
|
|---src
|    |---main.py
  • the __init__.py is an empty file.

  • the func.py contains a print function:

    def hello_func():
        print("Hello !!!")
    
  • the main.py:

    from ..lib import *
    hello_func()
    

and when I run it I receive this error:

ImportError: attempted relative import with no known parent package

did anybody face the same problem?

like image 305
Ahmed Garssallaoui Avatar asked Aug 13 '21 09:08

Ahmed Garssallaoui


1 Answers

from ..lib import * would instruct python to climb to the parent directory of main.py, there find lib and import everything from it - that is from the empty init file so nothing will happen either. You have to change this to from ..lib import func; func.hello_func(). This will still blow with the same error. The error is due to python not thinking in terms of directories exactly as I said above. Python will only look for packages in the working directory you started it from (and in the sys.path list but don't mess with that). You get this error cause you run your script directly from src - so for python the root of the "filesystem" is src - there is no known (to python) parent package (folder). This is an anti-pattern in python (running scripts from their dir). What you should be doing instead is

$ cd proj/..
$ python -m proj.src.main # note no .py

This makes the proj folder the "root" of the filesystem (for python) and python will detect all packages in there - the src.main tells python that the main.py is part of the src package which is detected as well as lib (as they are direct children of proj) and when you do a relative import as in ..lib python already knows about the lib package.

like image 60
Mr_and_Mrs_D Avatar answered Oct 17 '22 06:10

Mr_and_Mrs_D