You have mutual top-level imports, which is almost always a bad idea.
If you really must have mutual imports in Python, the way to do it is to import them within a function:
# In b.py:
def cause_a_to_do_something():
import a
a.do_something()
Now a.py can safely do import b without causing problems.
(At first glance it might appear that cause_a_to_do_something() would be hugely inefficient because it does an import every time you call it, but in fact the import work only gets done the first time. The second and subsequent times you import a module, it's a quick operation.)
You have mutual top-level imports, which is almost always a bad idea.
If you really must have mutual imports in Python, the way to do it is to import them within a function:
# In b.py:
def cause_a_to_do_something():
import a
a.do_something()
Now a.py can safely do import b without causing problems.
(At first glance it might appear that cause_a_to_do_something() would be hugely inefficient because it does an import every time you call it, but in fact the import work only gets done the first time. The second and subsequent times you import a module, it's a quick operation.)
I have also seen this error when inadvertently naming a module with the same name as one of the standard Python modules. E.g. I had a module called commands which is also a Python library module. This proved to be difficult to track down as it worked correctly on my local development environment but failed with the specified error when running on Google App Engine.
"Module ... has no attribute ..."
python - AttributeError: 'module' object has no attribute - Blender Stack Exchange
Import Client Module Error - AttributeError: ‘module’ object has no attribute - Talk Python
python - module has no attribute - Stack Overflow
Videos
I'm writing python in vscode. I have 2 py files (main and converters).
Converters:
def lbstokg(weight):return weight*0.45
def kgtolbs(weight):return weight / 0.45
Main:
import convertersprint(converters.lbstokg(10))
Error when running: AttributeError: module 'converters' has no attribute 'lbstokg'
Why? It's in the same folder, it knows that the module is there because it's in the dropdown list after typing converters.. The code works in pycharm but doesn't in vscode.
The problem is submodules are not automatically imported. You have to explicitly import the api module:
import myproject.mymodule.api
print myproject.mymodule.api.MyClass
If you really insist on api being available when importing myproject.mymodule you can put this in myproject/mymodule/__init__.py:
import myproject.mymodule.api
Then this will work as expected:
from myproject import mymodule
print mymodule.api.MyClass
Also check whether you didn't name your python file the same as the module you are trying to import.