
Product
Introducing Scala and Kotlin Support in Socket
Socket now supports Scala and Kotlin, bringing AI-powered threat detection to JVM projects with easy manifest generation and fast, accurate scans.
timeit_decorator
is a flexible Python library for benchmarking function execution. It supports repeated runs, parallel
execution with threads or processes, detailed timing statistics, and native support for both sync and async functions.
detailed
parameter to get a comprehensive overview of the function's performance
across multiple runs.Remember that enabling detailed output can increase the verbosity of the output, especially for functions executed multiple times. It is recommended to use this feature judiciously based on the specific needs of performance analysis or debugging.
All output is handled exclusively through Python’s logging
module. The timeit_decorator
automatically configures a
default logger if none exists. You can customize verbosity using the log_level
parameter (default: logging.INFO
).
To install timeit_decorator
, run the following command:
pip install timeit-decorator
You can find a runnable example in examples/main.py.
The corresponding output is written to examples/example_output.log.
Here's how to use the timeit decorator:
import logging
from timeit_decorator import timeit_sync
# Configure logging
logging.basicConfig(
level=logging.INFO,
format="%(asctime)s [%(levelname)s] (%(name)s) %(message)s",
datefmt="%Y-%m-%d %H:%M:%S"
)
@timeit_sync(runs=5, workers=2, log_level=logging.INFO)
def sample_function():
# Function implementation
pass
# Call the decorated function
sample_function()
For single executions, the decorator directly runs the function:
import logging
from timeit_decorator import timeit_sync
# Configure logging
logging.basicConfig(level=logging.INFO)
# Default parameters
# @timeit_sync(
# runs=1,
# workers=1,
# log_level=logging.INFO,
# use_multiprocessing=False,
# detailed=False,
# timeout=None,
# enforce_timeout=False
# )
@timeit_sync()
def quick_function():
# Function implementation for a quick task
pass
# Call the decorated function
quick_function()
For CPU-bound tasks, you can enable multiprocessing:
import logging
from timeit_decorator import timeit_sync
# Configure logging
logging.basicConfig(level=logging.DEBUG)
@timeit_sync(runs=10, workers=4, use_multiprocessing=True, log_level=logging.DEBUG)
def cpu_intensive_function():
# CPU-bound function implementation
pass
# Call the decorated function
cpu_intensive_function()
For I/O-bound tasks, the default threading is more efficient:
import logging
from timeit_decorator import timeit_sync
# Configure logging
logging.basicConfig(level=logging.INFO)
@timeit_sync(runs=5, workers=2)
def io_bound_function():
# I/O-bound function implementation
pass
# Call the decorated function
io_bound_function()
The timeit
decorator includes an optional detailed parameter that provides more extensive statistics about the
function
execution time when set to True. This feature is particularly useful for in-depth performance analysis and debugging, as
it gives users a broader view of how the function behaves under different conditions.
detailed
ParameterPurpose: When set to True, the timeit decorator provides a detailed tabulated output including average, median, minimum, and maximum execution times, standard deviation, and total execution time for all runs.
@timeit_sync(runs=5, workers=2, detailed=True)
def sample_function(a, b, c="some value"):
# Function implementation
pass
sample_function("arg1", "arg2", c="value overwrite")
This will output a detailed tabulated summary after the function execution, similar to the following:
Function <function sample_function at 0x000002612FFD9E40>
Args ('arg1', 'arg2')
Kwargs {'c': 'value overwrite'}
Runs 5
Workers 2
Average Time 0.2s
Median Time 0.19s
Min Time 0.18s
Max Time 0.22s
Std Deviation 0.015s
Total Time 1.0s
You can specify a timeout
(in seconds) to monitor execution duration for each run. The enforce_timeout
parameter
controls how timeouts are handled:
enforce_timeout=False
(default): Logs a warning if a run exceeds the timeout but allows it to complete.enforce_timeout=True
: Cancels the execution if the timeout is reached (only supported with threading and async).import logging
from timeit_decorator import timeit_sync
logging.basicConfig(level=logging.INFO)
@timeit_sync(timeout=0.1)
def slow_function():
import time
time.sleep(0.2)
slow_function()
Example (Enforced Timeout with Cancellation)
@timeit_sync(timeout=0.1, enforce_timeout=True)
def fast_abort():
import time
time.sleep(0.2)
fast_abort()
Note: Enforced timeout is not supported with use_multiprocessing=True due to Python’s process model.
timeit_decorator
fully supports asynchronous functions via the @timeit_async
decorator.
You can configure it with the same options as the sync version, including:
runs
, workers
timeout
, enforce_timeout
detailed
, log_level
Async execution uses an internal asyncio.Semaphore
to manage concurrency and supports both enforced and non-enforced
timeouts via asyncio.wait_for()
and asyncio.shield()
.
import asyncio
from timeit_decorator import timeit_async
@timeit_async(runs=3, workers=2, timeout=0.1, enforce_timeout=False)
async def async_task():
await asyncio.sleep(0.2)
return "done"
asyncio.run(async_task())
If
enforce_timeout=False
, timeouts are logged but the coroutine is allowed to finish usingasyncio.shield()
. Ifenforce_timeout=True
, the task is cancelled if it exceeds the timeout limit.
While timeit_decorator
is designed to be highly flexible, a few constraints exist due to Python's concurrency model:
timeit
decorator currently does not support the use of multiprocessing (
use_multiprocessing=True
) with @staticmethod
. Attempting to use the timeit
decorator with multiprocessing on
static
methods can lead to unexpected behavior or errors, specifically a PicklingError
.Reason for the Limitation: This issue arises because Python's multiprocessing module requires objects to be
serialized (pickled) for transfer between processes. However, static methods pose a challenge for Python's pickling
mechanism due to the way they are referenced internally. This can result in a PicklingError
stating that the static
method is not the same object as expected.
Example of the issue:
# This will raise a PicklingError when executed
class ExampleClass:
@staticmethod
@timeit(use_multiprocessing=True, runs=2)
def example_static_method():
# method implementation
pass
Example of exception :
_pickle.PicklingError: Can't pickle <function ExampleClass.example_static_method at 0x...>: it's not the same object as __main__.ExampleClass.example_static_method
Recommended Workaround: To avoid this issue, consider using instance methods or regular functions, which are not
subject to the same serialization constraints as static methods. Alternatively, refrain from using
use_multiprocessing=True
with static methods.
This limitation stems from inherent characteristics of Python's multiprocessing and pickling mechanisms. Users are
encouraged to structure their code accordingly to prevent encountering this issue. We are continuously working to
enhance the timeit
decorator and mitigate such limitations wherever possible. If you encounter any other issues or
limitations, please feel free to report them in the project's issue tracker.
timeit_decorator
requires Python 3.7+
Contributions to timeit_decorator
are welcome! Please read our contributing guidelines for more
details.
timeit_decorator
is released under the MIT License.
See CHANGELOG.md for a full list of changes, fixes, and new features introduced in each release.
FAQs
A versatile timing decorator
We found that timeit-decorator demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Product
Socket now supports Scala and Kotlin, bringing AI-powered threat detection to JVM projects with easy manifest generation and fast, accurate scans.
Application Security
/Security News
Socket CEO Feross Aboukhadijeh and a16z partner Joel de la Garza discuss vibe coding, AI-driven software development, and how the rise of LLMs, despite their risks, still points toward a more secure and innovative future.
Research
/Security News
Threat actors hijacked Toptal’s GitHub org, publishing npm packages with malicious payloads that steal tokens and attempt to wipe victim systems.