创新互联Python教程:8.复合语句

8. 复合语句

复合语句是包含其它语句(语句组)的语句;它们会以某种方式影响或控制所包含其它语句的执行。 通常,复合语句会跨越多行,虽然在某些简单形式下整个复合语句也可能包含于一行之内。

在浪卡子等地区,都构建了全面的区域性战略布局,加强发展的系统性、市场前瞻性、产品创新能力,以专注、极致的服务理念,为客户提供网站建设、网站制作 网站设计制作定制网站制作,公司网站建设,企业网站建设,成都品牌网站建设,全网整合营销推广,外贸网站建设,浪卡子网站建设费用合理。

if, while 和 for 语句用来实现传统的控制流程构造。 try 语句为一组语句指定异常处理和/和清理代码,而 with 语句允许在一个代码块周围执行初始化和终结化代码。 函数和类定义在语法上也属于复合语句。

一条复合语句由一个或多个‘子句’组成。 一个子句则包含一个句头和一个‘句体’。 特定复合语句的子句头都处于相同的缩进层级。 每个子句头以一个作为唯一标识的关键字开始并以一个冒号结束。 子句体是由一个子句控制的一组语句。 子句体可以是在子句头的冒号之后与其同处一行的一条或由分号分隔的多条简单语句,或者也可以是在其之后缩进的一行或多行语句。 只有后一种形式的子句体才能包含嵌套的复合语句;以下形式是不合法的,这主要是因为无法分清某个后续的 else 子句应该属于哪个 if 子句:

 
 
 
 
  1. if test1: if test2: print(x)

还要注意的是在这种情形下分号的绑定比冒号更紧密,因此在以下示例中,所有 print() 调用或者都不执行,或者都执行:

 
 
 
 
  1. if x < y < z: print(x); print(y); print(z)

总结:

 
 
 
 
  1. compound_stmt ::= if_stmt
  2. | while_stmt
  3. | for_stmt
  4. | try_stmt
  5. | with_stmt
  6. | match_stmt
  7. | funcdef
  8. | classdef
  9. | async_with_stmt
  10. | async_for_stmt
  11. | async_funcdef
  12. suite ::= stmt_list NEWLINE | NEWLINE INDENT statement+ DEDENT
  13. statement ::= stmt_list NEWLINE | compound_stmt
  14. stmt_list ::= simple_stmt (";" simple_stmt)* [";"]

请注意语句总是以 NEWLINE 结束,之后可能跟随一个 DEDENT。 还要注意可选的后续子句总是以一个不能作为语句开头的关键字作为开头,因此不会产生歧义(‘悬空的 else’问题在 python 中是通过要求嵌套的 if 语句必须缩进来解决的)。

为了保证清晰,以下各节中语法规则采用将每个子句都放在单独行中的格式。

8.1. if 语句

if 语句用于有条件的执行:

 
 
 
 
  1. if_stmt ::= "if" assignment_expression ":" suite
  2. ("elif" assignment_expression ":" suite)*
  3. ["else" ":" suite]

它通过对表达式逐个求值直至找到一个真值(请参阅 布尔运算 了解真值与假值的定义)在子句体中选择唯一匹配的一个;然后执行该子句体(而且 if 语句的其他部分不会被执行或求值)。 如果所有表达式均为假值,则如果 else 子句体如果存在就会被执行。

8.2. while 语句

while 语句用于在表达式保持为真的情况下重复地执行:

 
 
 
 
  1. while_stmt ::= "while" assignment_expression ":" suite
  2. ["else" ":" suite]

这将重复地检验表达式,并且如果其值为真就执行第一个子句体;如果表达式值为假(这可能在第一次检验时就发生)则如果 else 子句体存在就会被执行并终止循环。

第一个子句体中的 break 语句在执行时将终止循环且不执行 else 子句体。 第一个子句体中的 continue 语句在执行时将跳过子句体中的剩余部分并返回检验表达式。

8.3. for 语句

for 语句用于对序列(例如字符串、元组或列表)或其他可迭代对象中的元素进行迭代:

 
 
 
 
  1. for_stmt ::= "for" target_list "in" starred_list ":" suite
  2. ["else" ":" suite]

The starred_list expression is evaluated once; it should yield an iterable object. An iterator is created for that iterable. The first item provided by the iterator is then assigned to the target list using the standard rules for assignments (see 赋值语句), and the suite is executed. This repeats for each item provided by the iterator. When the iterator is exhausted, the suite in the else clause, if present, is executed, and the loop terminates.

第一个子句体中的 break 语句在执行时将终止循环且不执行 else 子句体。 第一个子句体中的 continue 语句在执行时将跳过子句体中的剩余部分并转往下一项继续执行,或者在没有下一项时转往 else 子句执行。

for 循环会对目标列表中的变量进行赋值。 这将覆盖之前对这些变量的所有赋值,包括在 for 循环体中的赋值:

 
 
 
 
  1. for i in range(10):
  2. print(i)
  3. i = 5 # this will not affect the for-loop
  4. # because i will be overwritten with the next
  5. # index in the range

目标列表中的名称在循环结束时不会被删除,但如果序列为空,则它们根本不会被循环所赋值。 提示:内置函数 range() 会返回一个可迭代的整数序列,适用于模拟 Pascal 中的 for i := a to b do 这种效果;例如 list(range(3)) 会返回列表 [0, 1, 2]

在 3.11 版更改: Starred elements are now allowed in the expression list.

8.4. try 语句

The try statement specifies exception handlers and/or cleanup code for a group of statements:

 
 
 
 
  1. try_stmt ::= try1_stmt | try2_stmt | try3_stmt
  2. try1_stmt ::= "try" ":" suite
  3. ("except" [expression ["as" identifier]] ":" suite)+
  4. ["else" ":" suite]
  5. ["finally" ":" suite]
  6. try2_stmt ::= "try" ":" suite
  7. ("except" "*" expression ["as" identifier] ":" suite)+
  8. ["else" ":" suite]
  9. ["finally" ":" suite]
  10. try3_stmt ::= "try" ":" suite
  11. "finally" ":" suite

有关异常的更多信息可以在 异常 一节找到,有关使用 raise 语句生成异常的信息可以在 raise 语句 一节找到。

8.4.1. except clause

The except clause(s) specify one or more exception handlers. When no exception occurs in the try clause, no exception handler is executed. When an exception occurs in the try suite, a search for an exception handler is started. This search inspects the except clauses in turn until one is found that matches the exception. An expression-less except clause, if present, must be last; it matches any exception. For an except clause with an expression, that expression is evaluated, and the clause matches the exception if the resulting object is “compatible” with the exception. An object is compatible with an exception if the object is the class or a non-virtual base class of the exception object, or a tuple containing an item that is the class or a non-virtual base class of the exception object.

If no except clause matches the exception, the search for an exception handler continues in the surrounding code and on the invocation stack. 1

If the evaluation of an expression in the header of an except clause raises an exception, the original search for a handler is canceled and a search starts for the new exception in the surrounding code and on the call stack (it is treated as if the entire try statement raised the exception).

When a matching except clause is found, the exception is assigned to the target specified after the as keyword in that except clause, if present, and the except clause’s suite is executed. All except clauses must have an executable block. When the end of this block is reached, execution continues normally after the entire try statement. (This means that if two nested handlers exist for the same exception, and the exception occurs in the try clause of the inner handler, the outer handler will not handle the exception.)

When an exception has been assigned using as target, it is cleared at the end of the except clause. This is as if

 
 
 
 
  1. except E as N:
  2. foo

被转写为

 
 
 
 
  1. except E as N:
  2. try:
  3. foo
  4. finally:
  5. del N

This means the exception must be assigned to a different name to be able to refer to it after the except clause. Exceptions are cleared because with the traceback attached to them, they form a reference cycle with the stack frame, keeping all locals in that frame alive until the next garbage collection occurs.

Before an except clause’s suite is executed, details about the exception are stored in the sys module and can be accessed via sys.exc_info(). sys.exc_info() returns a 3-tuple consisting of the exception class, the exception instance and a traceback object (see section 标准类型层级结构) identifying the point in the program where the exception occurred. The details about the exception accessed via sys.exc_info() are restored to their previous values when leaving an exception handler:

 
 
 
 
  1. >>> print(sys.exc_info())
  2. (None, None, None)
  3. >>> try:
  4. ... raise TypeError
  5. ... except:
  6. ... print(sys.exc_info())
  7. ... try:
  8. ... raise ValueError
  9. ... except:
  10. ... print(sys.exc_info())
  11. ... print(sys.exc_info())
  12. ...
  13. (, TypeError(), )
  14. (, ValueError(), )
  15. (, TypeError(), )
  16. >>> print(sys.exc_info())
  17. (None, None, None)

8.4.2. except* clause

The except* clause(s) are used for handling ExceptionGroups. The exception type for matching is interpreted as in the case of except, but in the case of exception groups we can have partial matches when the type matches some of the exceptions in the group. This means that multiple except* clauses can execute, each handling part of the exception group. Each clause executes at most once and handles an exception group of all matching exceptions. Each exception in the group is handled by at most one except* clause, the first that matches it.

 
 
 
 
  1. >>> try:
  2. ... raise ExceptionGroup("eg",
  3. ... [ValueError(1), TypeError(2), OSError(3), OSError(4)])
  4. ... except* TypeError as e:
  5. ... print(f'caught {type(e)} with nested {e.exceptions}')
  6. ... except* OSError as e:
  7. ... print(f'caught {type(e)} with nested {e.exceptions}')
  8. ...
  9. caught with nested (TypeError(2),)
  10. caught with nested (OSError(3), OSError(4))
  11. + Exception Group Traceback (most recent call last):
  12. | File "", line 2, in
  13. | ExceptionGroup: eg
  14. +-+---------------- 1 ----------------
  15. | ValueError: 1
  16. +------------------------------------

Any remaining exceptions that were not handled by any except* clause are re-raised at the end, combined into an exception group along with all exceptions that were raised from within except* clauses.

If the raised exception is not an exception group and its type matches one of the except* clauses, it is caught and wrapped by an exception group with an empty message string.

 
 
 
 
  1. >>> try:
  2. ... raise BlockingIOError
  3. ... except* BlockingIOError as e:
  4. ... print(repr(e))
  5. ...
  6. ExceptionGroup('', (BlockingIOError()))

An except* clause must have a matching type, and this type cannot be a subclass of BaseExceptionGroup. It is not possible to mix except and except* in the same try. break, continue and return cannot appear in an except* clause.

8.4.3. else clause

如果控制流离开 try 子句体时没有引发异常,并且没有执行 return, continue 或 break 语句,可选的 else 子句将被执行。 else 语句中的异常不会由之前的 except 子句处理。

8.4.4. finally clause

If finally is present, it specifies a ‘cleanup’ handler. The try clause is executed, including any except and else clauses. If an exception occurs in any of the clauses and is not handled, the exception is temporarily saved. The finally clause is executed. If there is a saved exception it is re-raised at the end of the finally clause. If the finally clause raises another exception, the saved exception is set as the context of the new exception. If the finally clause executes a return, break or continue statement, the saved exception is discarded:

 
 
 
 
  1. >>> def f():
  2. ... try:
  3. ... 1/0
  4. ... finally:
  5. ... return 42
  6. ...
  7. >>> f()
  8. 42

The exception information is not available to the program during execution of the finally clause.

When a return, break or continue statement is executed in the try suite of a tryfinally statement, the finally clause is also executed ‘on the way out.’

The return value of a function is determined by the last return statement executed. Since the finally clause always executes, a return statement executed in the finally clause will always be the last one executed:

 
 
 
 
  1. >>> def foo():
  2. ... try:
  3. ... return 'try'
  4. ... finally:
  5. ... return 'finally'
  6. ...
  7. >>> foo()
  8. 'finally'

在 3.8 版更改: Prior to Python 3.8, a continue statement was illegal in the finally clause due to a problem with the implementation.

8.5. with 语句

with 语句用于包装带有使用上下文管理器 (参见 with 语句上下文管理器 一节) 定义的方法的代码块的执行。 这允许对普通的 try…except…finally 使用模式进行封装以方便地重用。

 
 
 
 
  1. with_stmt ::= "with" ( "(" with_stmt_contents ","? ")" | with_stmt_contents ) ":" suite
  2. with_stmt_contents ::= with_item ("," with_item)*
  3. with_item ::= expression ["as" target]

带有一个“项目”的 with 语句的执行过程如下:

  1. 对上下文表达式(在 with_item 中给出的表达式)进行求值来获得上下文管理器。

  2. 载入上下文管理器的 __enter__() 以便后续使用。

  3. 载入上下文管理器的 __exit__() 以便后续使用。

  4. 发起调用上下文管理器的 __enter__() 方法。

  5. 如果 with 语句中包含一个目标,来自 __enter__() 的返回值将被赋值给它。

    备注

    with 语句会保证如果 __enter__() 方法返回时未发生错误,则 __exit__() 将总是被调用。 因此,如果在对目标列表赋值期间发生错误,则会将其视为在语句体内部发生的错误。 参见下面的第 6 步。

  6. 执行语句体。

  7. 发起调用上下文管理器的 __exit__() 方法。 如果语句体的退出是由异常导致的,则其类型、值和回溯信息将被作为参数传递给 __exit__()。 否则的话,将提供三个 None 参数。

    如果语句体的退出是由异常导致的,并且来自 __exit__() 方法的返回值为假,则该异常会被重新引发。 如果返回值为真,则该异常会被抑制,并会继续执行 with 语句之后的语句。

    如果语句体由于异常以外的任何原因退出,则来自 __exit__() 的返回值会被忽略,并会在该类退出正常的发生位置继续执行。

以下代码:

 
 
 
 
  1. with EXPRESSION as TARGET:
  2. SUITE

在语义上等价于:

 
 
 
 
  1. manager = (EXPRESSION)
  2. enter = type(manager).__enter__
  3. exit = type(manager).__exit__
  4. value = enter(manager)
  5. hit_except = False
  6. try:
  7. TARGET = value
  8. SUITE
  9. except:
  10. hit_except = True
  11. if not exit(manager, *sys.exc_info()):
  12. raise
  13. finally:
  14. if not hit_except:
  15. exit(manager, None, None, None)

如果有多个项目,则会视作存在多个 with 语句嵌套来处理多个上下文管理器:

 
 
 
 
  1. with A() as a, B() as b:
  2. SUITE

在语义上等价于:

 
 
 
 
  1. with A() as a:
  2. with B() as b:
  3. SUITE

也可以用圆括号包围的多行形式的多项目上下文管理器。例如:

 
 
 
 
  1. with (
  2. A() as a,
  3. B() as b,
  4. ):
  5. SUITE

在 3.1 版更改: 支持多个上下文表达式。

在 3.10 版更改: Support for using grouping parentheses to break the statement in multiple lines.

参见

PEP 343 - “with” 语句

Python with 语句的规范描述、背景和示例。

8.6. match 语句

3.10 新版功能.

匹配语句用于进行模式匹配。语法如下:

 
 
 
 
  1. match_stmt ::= 'match' subject_expr ":" NEWLINE INDENT case_block+ DEDENT
  2. subject_expr ::= star_named_expression "," star_named_expressions?
  3. | named_expression
  4. case_block ::= 'case' patterns [guard] ":" block

备注

本节使用单引号来表示 软关键字。

模式匹配接受一个模式作为输入(跟在 case 后),一个目标值(跟在 match 后)。该模式(可能包含子模式)将与目标值进行匹配。输出是:

  • 匹配成功或失败(也被称为模式成功或失败)。

  • 可能将匹配的值绑定到一个名字上。 这方面的先决条件将在下面进一步讨论。

关键字 matchcase 是 soft keywords 。

参见

  • PEP 634 —— 结构化模式匹配:规范

  • PEP 636 —— 结构化模式匹配:教程

8.6.1. 概述

匹配语句逻辑流程的概述如下:

  1. 对目标表达式 subject_expr 求值后将结果作为匹配用的目标值。 如果目标表达式包含逗号,则使用 the standard rules 构建一个元组。

  2. 目标值将依次与 case_block 中的每个模式进行匹配。匹配成功或失败的具体规则在下面描述。匹配尝试也可以与模式中的一些或所有的独立名称绑定。准确的模式绑定规则因模式类型而异,具体规定见下文。成功的模式匹配过程中产生的名称绑定将超越所执行的块的范围,可以在匹配语句之后使用

    备注

    在模式匹配失败时,一些子模式可能会成功。 不要依赖于失败匹配进行的绑定。 反过来说,不要认为变量在匹配失败后保持不变。 确切的行为取决于实现,可能会有所不同。 这是一个有意的决定,允许不同的实现添加优化。

  3. 如果该模式匹配成功,并且完成了对相应的约束项(如果存在)的求值。在这种情况下,保证完成所有的名称绑定。

    • 如果约束项求值为真或缺失,执行 case_block 中的 block

    • 否则,将按照上述方法尝试下一个 case_block

    • 如果没有进一步的 case 块,匹配语句终止。

备注

用户一般不应依赖正在求值的模式。 根据不同的实现方式,解释器可能会缓存数值或使用其他优化方法来避免重复求值。

匹配语句示例:

 
 
 
 
  1. >>> flag = False
  2. >>> match (100, 200):
  3. ... case (100, 300): # Mismatch: 200 != 300
  4. ... print('Case 1')
  5. ... case (100, 200) if flag: # Successful match, but guard fails
  6. ... print('Case 2')
  7. ... case (100, y): # Matches and binds y to 200
  8. ... print(f'Case 3, y: {y}')
  9. ... case _: # Pattern not attempted
  10. ... print('Case 4, I match anything!')
  11. ...
  12. Case 3, y: 200

在这个示例中,if flag 是约束项。请阅读下一节以了解更多相关内容。

8.6.2. 约束项

 
 
 
 
  1. guard ::= "if" named_expression

guard (它是 case 的一部分) 必须成立才能让 case 语句块中的代码被执行。 它所采用的形式为: if 之后跟一个表达式。

拥有 guardcase 块的逻辑流程如下:

  1. 检查 case 块中的模式是否匹配成功。如果该模式匹配失败,则不对 guard 进行求值,检查下一个 case 块。

  2. 如果该模式匹配成功,对 guard 求值。

    • 如果 guard 求值为真,则选用该 case 块。

    • 如果 guard 求值为假,则不选用该 case 块。

    • 如果在对 guard 求值过程中引发了异常,则异常将被抛出。

允许约束项产生副作用,因为他们是表达式。约束项求值必须从第一个 case 块到最后一个 case 块依次逐个进行,模式匹配失败的 case 块将被跳过。(也就是说,约束项求值必须按顺序进行。)一旦选用了一个 case 块,约束项求值必须由此终止。

8.6.3. 必定匹配的 case 块

必定匹配的 case 块是能匹配所有情况的 case 块。一个匹配语句最多可以有一个必定匹配的 case 块,而且必须是最后一个。

如果一个 case 块没有约束项,并且其模式是必定匹配的,那么它就被认为是必定匹配的。 如果我们可以仅从语法上证明一个模式总是能匹配成功,那么这个模式就被认为是必定匹配的。 只有以下模式是必定匹配的:

  • 左侧模式是必定匹配的 AS 模式

  • 包含至少一个必定匹配模式的 或模式

  • 捕获模式

  • 通配符模式

  • 括号内的必定匹配模式

8.6.4. 模式

备注

本节使用了超出标准 EBNF 的语法符号。

  • 符号 SEP.RULE+RULE (SEP RULE)* 的简写

  • 符号 !RULE 是前向否定断言的简写

patterns 的顶层语法是:

 
 
 
 
  1. patterns ::= open_sequence_pattern | pattern
  2. pattern ::= as_pattern | or_pattern
  3. closed_pattern ::= | literal_pattern
  4. | capture_pattern
  5. | wildcard_pattern
  6. | value_pattern
  7. | group_pattern
  8. | sequence_pattern
  9. | mapping_pattern
  10. | class_pattern

下面的描述将包括一个“简而言之”以描述模式的作用,便于说明问题(感谢 Raymond Hettinger 提供的一份文件,大部分的描述受其启发)。请注意,这些描述纯粹是为了说明问题,可能不 反映底层的实现。此外,它们并没有涵盖所有有效的形式。

8.6.4.1. 或模式

或模式是由竖杠 | 分隔的两个或更多的模式。语法:

 
 
 
 
  1. or_pattern ::= "|".closed_pattern+

只有最后的子模式可以是 必定匹配的,且每个子模式必须绑定相同的名字集以避免歧义。

或模式将目标值依次与其每个子模式尝试匹配,直到有一个匹配成功,然后该或模式被视作匹配成功。 否则,如果没有任何子模式匹配成功,则或模式匹配失败。

简而言之,P1 | P2 | ... 会首先尝试匹配 P1 ,如果失败将接着尝试匹配 P2 ,如果出现成功的匹配则立即结束且模式匹配成功,否则模式匹配失败。

8.6.4.2. AS 模式

AS 模式将关键字 as 左侧的或模式与目标值进行匹配。语法:

 
 
 
 
  1. as_pattern ::= or_pattern "as" capture_pattern

如果或模式匹配失败,AS 模式也匹配失败。 否则,AS 模式将目标与关键字 as 右边的名字绑定且匹配陈成功。 capture_pattern 不能是 _

简而言之, P as NAME 将与 P 匹配,成功后将设置 NAME =

8.6.4.3. 字面值模式

字面值模式对应 Python 中的大多数 字面值。 语法为:

 
 
 
 
  1. literal_pattern ::= signed_number
  2. | signed_number "+" NUMBER
  3. | signed_number "-" NUMBER
  4. | strings
  5. | "None"
  6. | "True"
  7. | "False"
  8. | signed_number: NUMBER | "-" NUMBER

规则 strings 和标记 NUMBER 是在 standard Python grammar 中定义的。支持三引号的字符串。不支持原始字符串和字节字符串。也不支持 格式字符串字面值 。

signed_number '+' NUMBERsigned_number '-' NUMBER 形式是用于表示 复数;它们要求左边是一个实数而右边是一个虚数。 例如 3 + 4j

简而言之, LITERAL 只会在 == LITERAL 时匹配成功。对于单例 NoneTrueFalse ,会使用 is 运算符。

8.6.4.4. 捕获模式

捕获模式将目标值与一个名称绑定。语法:

 
 
 
 
  1. capture_pattern ::= !'_' NAME

单独的一个下划线 _ 不是捕获模式( !'_' 表达的就是这个含义)。 它会被当作 wildcard_pattern 。

在给定的模式中,一个名字只能被绑定一次。例如 case x, x: ... 时无效的,但 case [x] | x: ... 是被允许的。

捕获模式总是能匹配成功。绑定遵循 PEP 572 中赋值表达式运算符设立的作用域规则;名字在最接近的包含函数作用域内成为一个局部变量,除非有适用的 global 或 nonlocal 语句。

简而言之, NAME 总是会匹配成功且将设置 NAME =

8.6.4.5. 通配符模式

通配符模式总是会匹配成功(匹配任何内容)并且不绑定任何名称。语法:

 
 
 
 
  1. wildcard_pattern ::= '_'

在且仅在任何模式中 _ 是一个 软关键字。 通常情况下它是一个标识符,即使是在 match 的目标表达式、guardcase 代码块中也是如此。

简而言之,_ 总是会匹配成功。

8.6.4.6. 值模式

值模式代表 Python 中具有名称的值。语法:

 
 
 
 
  1. value_pattern ::= attr
  2. attr ::= name_or_attr "." NAME
  3. name_or_attr ::= attr | NAME

模式中带点的名称会使用标准的 Python 名称解析规则 来查找。 如果找到的值与目标值比较结果相等则模式匹配成功(使用 == 相等运算符)。

简而言之, NAME1.NAME2 仅在 == NAME1.NAME2 时匹配成功。

备注

如果相同的值在同一个匹配语句中出现多次,解释器可能会缓存找到的第一个值并重新使用它,而不是重复查找。 这种缓存与特定匹配语句的执行严格挂钩。

8.6.4.7. 组模式

组模式允许用户在模式周围添加括号,以强调预期的分组。 除此之外,它没有额外的语法。语法:

 
 
 
 
  1. group_pattern ::= "(" pattern ")"

简单来说 (P) 具有与 P 相同的效果。

8.6.4.8. 序列模式

一个序列模式包含数个将与序列元素进行匹配的子模式。其语法类似于列表或元组的解包。

 
 
 
 
  1. sequence_pattern ::= "[" [maybe_sequence_pattern] "]"
  2. | "(" [open_sequence_pattern] ")"
  3. open_sequence_pattern ::= maybe_star_pattern "," [maybe_sequence_pattern]
  4. maybe_sequence_pattern ::= ",".maybe_star_pattern+ ","?
  5. maybe_star_pattern ::= star_pattern | pattern
  6. star_pattern ::= "*" (capture_pattern | wildcard_pattern)

序列模式中使用圆括号或方括号没有区别(例如 (...)[...] )。

备注

用圆括号括起来且没有跟随逗号的单个模式 (例如 (3 | 4)) 是一个 分组模式。 而用方括号括起来的单个模式 (例如 [3 | 4]) 则仍是一个序列模式。

一个序列模式中最多可以有一个星号子模式。星号子模式可以出现在任何位置。如果没有星号子模式,该序列模式是固定长度的序列模式;否则,其是一个可变长度的序列模式。

下面是将一个序列模式与一个目标值相匹配的逻辑流程:

  1. 如果目标值不是一个序列 2 ,该序列模式匹配失败。

  2. 如果目标值是 strbytesbytearray 的实例,则该序列模式匹配失败。

  3. 随后的步骤取决于序列模式是固定长度还是可变长度的。

    如果序列模式是固定长度的:

    1. 如果目标序列的长度与子模式的数量不相等,则该序列模式匹配失败

    2. 序列模式中的子模式与目标序列中的相应项目从左到右进行匹配。 一旦一个子模式匹配失败,就停止匹配。 如果所有的子模式都成功地与它们的对应项相匹配,那么该序列模式就匹配成功了。

    否则,如果序列模式是变长的:

    1. 如果目标序列的长度小于非星号子模式的数量,则该序列模式匹配失败。

    2. 与固定长度的序列一样,靠前的非星形子模式与其相应的项目进行匹配。

    3. 如果上一步成功,星号子模式与剩余的目标项形成的列表相匹配,不包括星号子模式之后的非星号子模式所对应的剩余项。

    4. 剩余的非星号子模式将与相应的目标项匹配,就像固定长度的序列一样。

    备注

    目标序列的长度可通过 len() (即通过 __len__() 协议) 获得。 解释器可能会以类似于 值模式 的方式缓存这个长度信息。

简而言之, [P1, P2, P3,, P] 仅在满足以下情况时匹配成功:

  • 检查 是一个序列

  • len(subject) ==

  • P1[0] 进行匹配(请注意此匹配可以绑定名称)

  • P2[1] 进行匹配(请注意此匹配可以绑定名称)

  • …… 剩余对应的模式/元素也以此类推。

8.6.4.9. 映射模式

映射模式包含一个或多个键值模式。其语法类似于字典的构造。语法:

 
 
 
 
  1. mapping_pattern ::= "{" [items_pattern] "}"
  2. items_pattern ::= ",".key_value_pattern+ ","?
  3. key_value_pattern ::= (literal_pattern | value_pattern) ":" pattern
  4. | double_star_pattern
  5. double_star_pattern ::= "**" capture_pattern

一个映射模式中最多可以有一个双星号模式。双星号模式必须是映射模式中的最后一个子模式。

映射模式中不允许出现重复的键。重复的字面值键会引发 SyntaxError 。若是两个键有相同的值将会在运行时引发 ValueError 。

以下是映射模式与目标值匹配的逻辑流程:

  1. 如果目标值不是一个映射 3,则映射模式匹配失败。

  2. 若映射模式中给出的每个键都存在于目标映射中,且每个键的模式都与目标映射的相应项匹配成功,则该映射模式匹配成功。

  3. 如果在映射模式中检测到重复的键,该模式将被视作无效。对于重复的字面值,会引发 SyntaxError ;对于相同值的命名键,会引发 ValueError 。

备注

键值对使用映射目标的 get() 方法的双参数形式进行匹配。匹配的键值对必须已经存在于映射中,而不是通过 __missing__()__getitem__() 即时创建。

简而言之, {KEY1: P1, KEY2: P2, ... } 仅在满足以下情况时匹配成功:

  • 检查 是映射

  • KEY1 in

  • P1[KEY1] 相匹配

  • …… 剩余对应的键/模式对也以此类推。

8.6.4.10. 类模式

类模式表示一个类以及它的位置参数和关键字参数(如果有的话)。语法:

 
 
 
 
  1. class_pattern ::= name_or_attr "(" [pattern_arguments ","?] ")"
  2. pattern_arguments ::= positional_patterns ["," keyword_patterns]
  3. | keyword_patterns
  4. positional_patterns ::= ",".pattern+
  5. keyword_patterns ::= ",".keyword_pattern+
  6. keyword_pattern ::= NAME "=" pattern

同一个关键词不应该在类模式中重复出现。

以下是类模式与目标值匹配的逻辑流程:

  1. 如果 name_or_attr 不是内置 type 的实例,引发 TypeError 。

  2. 如果目标值不是 name_or_attr 的实例(通过 isinstance() 测试),该类模式匹配失败。

  3. 如果没有模式参数存在,则该模式匹配成功。 否则,后面的步骤取决于是否有关键字或位置参数模式存在。

    对于一些内置的类型(将在后文详述),接受一个位置子模式,它将与整个目标值相匹配;对于这些类型,关键字模式也像其他类型一样工作。

    如果只存在关键词模式,它们将被逐一处理,如下所示:

    一. 该关键词被视作主体的一个属性进行查找。

    • 如果这引发了除 AttributeError 以外的异常,该异常会被抛出。

    • 如果这引发了 AttributeError ,该类模式匹配失败。

    • 否则,与关键词模式相关的子模式将与目标的属性值进行匹配。 如果失败,则类模式匹配失败;如果成功,则继续对下一个关键词进行匹配。

    二. 如果所有的关键词模式匹配成功,该类模式匹配成功。

    如果存在位置模式,在匹配前会用类 name_or_attr 的 __match_args__ 属性将其转换为关键词模式。

    一. 进行与 getattr(cls, "__match_args__", ()) 等价的调用。

    • 如果这引发一个异常,该异常将被抛出。

    • 如果返回值不是一个元组,则转换失败且引发 TypeError 。

    • 若位置模式的数量超出 len(cls.__match_args__) ,将引发 TypeError 。

    • 否则,位置模式 i 会使用 __match_args__[i] 转换为关键词。 __match_args__[i] 必须是一个字符串;如果不是则引发 TypeError 。

    • 如果有重复的关键词,引发 TypeError 。

    参见

    定制类模式匹配中的位置参数

    二. 若所有的位置模式都被转换为关键词模式,

    匹配的过程就像只有关键词模式一样。

    对于以下内置类型,位置子模式的处理是不同的:

    • bool

    • bytearray

    • bytes

    • dict

    • float

    • frozenset

    • int

    • list

    • set

    • str

    • tuple

    These classes accept a single positional argument, and the pattern there is matched against the whole object rather than an attribute. For example int(0|1) matches the value 0, but not the value 0.0.

简而言之, CLS(P1, attr=P2) 仅在满足以下情况时匹配成功:

  • isinstance(, CLS)

  • CLS.__match_args__P1 转换为关键词模式

  • 对于每个关键词参数 attr=P2

    • hasattr(, "attr")

    • P2.attr 进行匹配

  • …… 剩余对应的关键字参数/模式对也以此类推。

参见

  • PEP 634 —— 结构化模式匹配:规范

  • PEP 636 —— 结构化模式匹配:教程

8.7. 函数定义

函数定义就是对用户自定义函数的定义(参见 标准类型层级结构 一节):

 
 
 
 
  1. funcdef ::= [decorators] "def" funcname "(" [parameter_list] ")"
  2. ["->" expression] ":" suite
  3. decorators ::= decorator+
  4. decorator ::= "@" assignment_expression NEWLINE
  5. parameter_list ::= defparameter ("," defparameter)* "," "/" ["," [parameter_list_no_posonly]]
  6. | parameter_list_no_posonly
  7. parameter_list_no_posonly ::= defparameter ("," defparameter)* ["," [parameter_list_starargs]]
  8. | parameter_list_starargs
  9. parameter_list_starargs ::= "*" [parameter] ("," defparameter)* ["," ["**" parameter [","]]]
  10. | "**" parameter [","]
  11. parameter ::= identifier [":" expression]
  12. defparameter ::= parameter ["=" expression]
  13. funcname ::= identifier

函数定义是一条可执行语句。 它执行时会在当前局部命名空间中将函数名称绑定到一个函数对象(函数可执行代码的包装器)。 这个函数对象包含对当前全局命名空间的引用,作为函数被调用时所使用的全局命名空间。

函数定义并不会执行函数体;只有当函数被调用时才会执行此操作。 4

一个函数定义可以被一

本文题目:创新互联Python教程:8.复合语句
新闻来源:http://www.shufengxianlan.com/qtweb/news6/287156.html

网站建设、网络推广公司-创新互联,是专注品牌与效果的网站制作,网络营销seo公司;服务项目有等

广告

声明:本网站发布的内容(图片、视频和文字)以用户投稿、用户转载内容为主,如果涉及侵权请尽快告知,我们将会在第一时间删除。文章观点不代表本网站立场,如需处理请联系客服。电话:028-86922220;邮箱:631063699@qq.com。内容未经允许不得转载,或转载时需注明来源: 创新互联