14

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?

Tomerikoo
  • 18,379
  • 16
  • 47
  • 61
Ahmed Garssallaoui
  • 167
  • 1
  • 3
  • 10
  • 2
    It appears you are trying to do a "sibling package import". Surprisingly, this is one of the things that Python just glued together, the solution isn't pretty, and it is unique. There are more ways to go around, depeding on what you want. Check this out: https://stackoverflow.com/questions/6323860/sibling-package-imports – waykiki Aug 13 '21 at 10:08
  • Does this answer your question? [ImportError : Attempted relative import with no known parent package](https://stackoverflow.com/questions/60593604/importerror-attempted-relative-import-with-no-known-parent-package) – Tomerikoo Aug 16 '21 at 10:24
  • Does any of the answers answer your question? – Mr_and_Mrs_D Nov 02 '21 at 10:49

1 Answers1

4

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.

Mr_and_Mrs_D
  • 32,208
  • 39
  • 178
  • 361