asyncio REPL(Python 3.8)
/ / / 阅读数:7118前言
我最近都在写一些 Python 3.8 的新功能介绍的文章,在自己的项目中也在提前体验新的 Python 版本。为什么我对这个 Python 3.8 这么有兴趣呢?主要是因为在 Python 2 停止官方维护的 2020 年来临之前,Python 3.8 是最后一个大版本,虽然还没有公布 Python 3.9 的发布时间表,但是按过去的经验,我觉得至少等 Python 3.8.4 发布之后才可能发布 Python 3.9.0,那会应该已经在 2020 年年末了。所以大家最近 2 年的话题都会是 Python 3.8。本周五 (2019-05-31) 将发布 3.8.0 beta 1,这几天开发者们都在抓紧时间合并代码赶上 Python 3.8 最后一班车。这几天我将陆续分享几个新合并的特性。今天先说asyncio REPL
REPL
REPL 是Read-Eval-Print Loop
的缩写,是一种简单的,交互式的编程环境:
- Read。获得用户输入
- Eval。对输入求值
- Print。打印,输出求值的结果
- Loop。循环,可以不断的重复 Read-Eval-Print
REPL 对于学习一门新的编程语言非常有帮助,你可以再这个交互环境里面通过输出快速验证你的理解是不是正确。CPython 自带了一个这样的编程环境:
❯ python Python 3.7.1 (default, Dec 13 2018, 22:28:16) [Clang 10.0.0 (clang-1000.11.45.5)] on darwin Type "help", "copyright", "credits" or "license" for more information. >>> def a(): ... return 'A' ... >>> a() 'A' |
不过官方自带的这个环境功能非常有限,有经验的 Python 开发者通常会使用 IPython,我写的大部分文章里面的代码都在 IPython 里面执行的,而且 IPython 从 7.0 开始支持了 Async REPL:
❯ ipython defPython 3.7.1 (default, Dec 13 2018, 22:28:16) Type 'copyright', 'credits' or 'license' for more information IPython 7.5.0 -- An enhanced Interactive Python. Type '?' for help. In [1]: def a(): ...: return 'A' ...: In [2]: a() Out[2]: 'A' In [3]: import asyncio In [4]: async def b(): ...: await asyncio.sleep(1) ...: return 'B' ...: In [5]: await b() Out[5]: 'B' In [6]: asyncio.run(b()) Out[6]: 'B' |
简单地说,就是在 IPython 里面可以直接使用 await,而不必用asyncio.run(b())
。这个在官方 REPL 里面是不行的:
❯ python Python 3.7.1 (default, Dec 13 2018, 22:28:16) [Clang 10.0.0 (clang-1000.11.45.5)] on darwin Type "help", "copyright", "credits" or "license" for more information. >>> import asyncio >>> async def b(): ... await asyncio.sleep(1) ... return 'B' ... >>> await b() File "<stdin>", line 1 SyntaxError: 'await' outside function |
是的,await 只能在异步函数里面才可以使用。
Python 3.8 的 asyncio REPL
好消息是官方 REPL 也与时俱进,支持 asyncio REPL 了。具体细节可以看延伸阅读链接 1:
❯ ./python.exe -m asyncio
asyncio REPL 3.8.0a4+ (heads/master:8cd5165ba0, May 27 2019, 22:28:15)
[Clang 10.0.0 (clang-1000.11.45.5)] on darwin
Use "await" directly instead of "asyncio.run()".
Type "help", "copyright", "credits" or "license" for more information.
>>> import asyncio
>>> async def b():
... await asyncio.sleep(1)
... return 'B'
...
>>> await b()
'B'
>>> async def c():
... await asyncio.sleep(1)
... return 'C'
...
>>> task = asyncio.create_task(c())
>>> await task
'C'
>>> await asyncio.sleep(1)
注意激活 REPL 不是直接输入 python,而是要用python -m asyncio
,另外那个import asyncio
是激活 REPL 时自动帮你输入的。
延伸阅读
先别看代码,看看你能不能实现这个功能 😋
<script>alert(document.cookie);</script>