前言
我最近都在写一些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自带了一个这样的编程环境:
1
2
3
4
5
6
7
8
9
|
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:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
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里面是不行的:
1
2
3
4
5
6
7
8
9
10
11
12
13
|
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:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
. / 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时自动帮你输入的。
延伸阅读
先别看代码,看看你能不能实现这个功能 :yum:
https://github.com/python/cpython/pull/13472
总结
以上所述是小编给大家介绍的Python 3.8新特征之asyncio REPL,希望对大家有所帮助,如果大家有任何疑问请给我留言,小编会及时回复大家的。在此也非常感谢大家对服务器之家网站的支持!
如果你觉得本文对你有帮助,欢迎转载,烦请注明出处,谢谢!
原文链接:https://www.dongwm.com/post/144/