作为 Python 开发人员,我们通常先关注如何让代码正常运行,然后再担心优化它。然而,在处理大规模应用程序或性能关键型代码时,优化变得至关重要。在这篇文章中,我们将介绍两个可用于优化 Python 代码的强大工具:cProfile 模块和 PyPy 解释器。
在这篇文章结束时,您将学到:
Python 以其易用性、可读性和庞大的库生态系统而闻名。但由于其解释性质,它也比 C 或 Java 等其他语言慢。因此,了解如何优化 Python 代码对于性能敏感的应用程序(例如机器学习模型、实时系统或高频交易系统)至关重要。
优化通常遵循以下步骤:
现在,让我们开始分析您的代码。
cProfile 是一个用于性能分析的内置 Python 模块。它跟踪代码中每个函数执行所需的时间,这可以帮助您识别导致速度变慢的函数或代码部分。
分析脚本的最简单方法是从命令行运行 cProfile。例如,假设您有一个名为 my_script.py 的脚本:
python -m cProfile -s cumulative my_script.py
说明:
这将生成您的代码花费时间的详细分类。
让我们看一个递归计算斐波那契数的基本 Python 脚本:
def fibonacci(n): if n <= 1: return n return fibonacci(n-1) + fibonacci(n-2) if __name__ == "__main__": print(fibonacci(30))
使用 cProfile 运行此脚本:
python -m cProfile -s cumulative fibonacci_script.py
运行 cProfile 后,您将看到如下内容:
ncalls tottime percall cumtime percall filename:lineno(function) 8320 0.050 0.000 0.124 0.000 fibonacci_script.py:3(fibonacci)
每列提供关键性能数据:
如果您的斐波那契函数花费太多时间,此输出将告诉您优化工作的重点。
如果您只想分析特定部分,也可以在代码中以编程方式使用 cProfile。
import cProfile def fibonacci(n): if n <= 1: return n return fibonacci(n-1) + fibonacci(n-2) if __name__ == "__main__": cProfile.run('fibonacci(30)')
使用 cProfile 确定代码中的瓶颈后,就可以进行优化了。
示例:
# Before: Custom sum loop total = 0 for i in range(1000000): total += i # After: Using built-in sum total = sum(range(1000000))
示例:
# Before: Unnecessary repeated calculations for i in range(1000): print(len(my_list)) # len() is called 1000 times # After: Compute once and reuse list_len = len(my_list) for i in range(1000): print(list_len)
示例:
from functools import lru_cache @lru_cache(maxsize=None) def fibonacci(n): if n <= 1: return n return fibonacci(n-1) + fibonacci(n-2)
通过存储每个递归调用的结果,大大加快了斐波那契计算的速度。
PyPy 是另一种 Python 解释器,它使用即时 (JIT) 编译来加速 Python 代码。 PyPy 将频繁执行的代码路径编译为机器代码,使其比某些任务的标准 CPython 解释器快得多。
You can install PyPy using a package manager like apt on Linux or brew on macOS:
# On Ubuntu sudo apt-get install pypy3 # On macOS (using Homebrew) brew install pypy3
Once PyPy is installed, you can run your script with it instead of CPython:
pypy3 my_script.py
Now, let’s combine these tools to fully optimize your Python code.
Let’s revisit our Fibonacci example and put everything together.
from functools import lru_cache @lru_cache(maxsize=None) def fibonacci(n): if n <= 1: return n return fibonacci(n-1) + fibonacci(n-2) if __name__ == "__main__": import cProfile cProfile.run('print(fibonacci(30))')
After optimizing the code with memoization, run it using PyPy for further performance improvements:
pypy3 fibonacci_script.py
By leveraging cProfile and PyPy, you can greatly optimize your Python code. Use cProfile to identify and address performance bottlenecks in your code. Then, use PyPy to further boost your program’s execution speed through JIT compilation.
In summary:
With this approach, you can make your Python programs run faster and more efficiently, especially for CPU-bound tasks.
Connect with me:
Github
Linkedin
以上是使用 cProfile 和 PyPy 模块优化 Python 代码:完整指南的详细内容。更多信息请关注PHP中文网其他相关文章!