tqdm: 'module' object is not callable

PythonTqdm

Python Problem Overview


I import tqdm as this:

import tqdm

I am using tqdm to show progress in my python3 code, but I have the following error:

Traceback (most recent call last):
  File "process.py", line 15, in <module>
    for dir in tqdm(os.listdir(path), desc = 'dirs'):
TypeError: 'module' object is not callable

Here is the code:

path = '../dialogs'
dirs = os.listdir(path)
        
for dir in tqdm(dirs, desc = 'dirs'):
	print(dir)

Python Solutions


Solution 1 - Python

The error is telling you are trying to call the module. You can't do this.

To call you just have to do

tqdm.tqdm(dirs, desc='dirs') 

to solve your problem. Or simply change your import to

from tqdm import tqdm

But, the important thing here is to review the documentation for what you are using and ensure you are using it properly.

Solution 2 - Python

You Have Used Only tqdm, Actually it is tqdm.tqdm So, Try

from tqdm import tqdm

for dir in tqdm(dirs, desc = 'dirs'):
print(dir)

Solution 3 - Python

tqdm is a module (like matplotlib or pandas) that contains functions. One of these functions is called tqdm. Therefore, you have to call tqdm.tqdm to call the function within the module instead of the module itself.

Solution 4 - Python

from tqdm import tqdm
with open(<your data>, mode='r', encoding='utf-8') as f:
    for _, line in enumerate(tqdm(f)):
       pass

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionZhaoView Question on Stackoverflow
Solution 1 - PythonidjawView Answer on Stackoverflow
Solution 2 - PythonKranthiView Answer on Stackoverflow
Solution 3 - PythonJakeView Answer on Stackoverflow
Solution 4 - PythonYapView Answer on Stackoverflow