Jonas Palačionis
Jonas Palačionis

Reputation: 4842

Getting "TypeError: 'module' is not callable" when calculating execution time with timeit

I am trying to calculate the timings of my python code but I keep getting:

TypeError - 'module' is not callable

import timeit
timeit.timeit('"-".join(str(n) for n in range(100))', number=10000)

The link I am checking is this - https://docs.python.org/2/library/timeit.html

I would expect to see the time that took the code to run.

Upvotes: 6

Views: 2564

Answers (3)

martin
martin

Reputation: 990

had a similar "module is not callable" error and my solution was simpler: My solution was:

from timeit import timeit

Upvotes: 0

Gino Mempin
Gino Mempin

Reputation: 29680

Did you perhaps name your file as timeit.py?

$ cat timeit.py
import timeit
timeit.timeit('"-".join(str(n) for n in range(100))', number=10000)

$ python3 timeit.py
Traceback (most recent call last):
  File "timeit.py", line 1, in <module>
    import timeit
  File "/path/to/timeit.py", line 2, in <module>
    timeit.timeit('"-".join(str(n) for n in range(100))', number=10000)
TypeError: 'module' object is not callable

You have to rename your file to something else (ex. mytimeit.py).
Otherwise import will import your timeit instead of the real timeit module.

You can check the import-ed module with print(timeit.__file__).

$ cat timeit.py
import timeit
print(timeit.__file__)

timeit.timeit('"-".join(str(n) for n in range(100))', number=10000)

$ pwd
/work/scratch

$ python timeit.py
/work/scratch/timeit.py
Traceback (most recent call last)
...

Also, if you want to see "the time that took the code to run", you have to print it.

$ mv timeit.py mytimeit.py
$ cat mytimeit.py
import timeit
print(timeit.__file__)
print(timeit.timeit('"-".join(str(n) for n in range(100))', number=10000))

$ python3 mytimeit.py 
/usr/lib/python3.6/timeit.py
0.1469665479962714

Upvotes: 13

Alfonso
Alfonso

Reputation: 113

Let's go!

import time

origin_time = time.time() with this you will get the current time in seconds from the epoch

And whenever you want to know the time spent, just write:

current_spent_time = time.time() - origin_timethis will get again the current time (in seconds) and substracts the previous origin_time which was the time when your code start running.

Hope this helps!!

Upvotes: 0

Related Questions