Python:“无法分配给运算符”语法错误

Python : 'Can't assign to operator' Syntax error

我正在尝试编写一个程序,其中将测试分数收集在列表中,然后输出某些因素(例如最高分数)。但是,当我尝试分配 intH1(测试 1 的最高结果)时,出现上述错误。该行是 intH1 = score1_list[intCount] and strHN1 = name_list[intCount]

if score1_list[intCount] > intH1:
     intH1 = score1_list[intCount] and strHN1 = name_list[intCount]
if score2_list[intCount] > intH2:
     intH2 = score2_list[intCount] and strHN2 = name_list[intCount]
if score3_list[intCount] > intH3:
     intH3 = score3_list[intCount] and strHN3 = name_list[intCount]
if total_list[intCount] > intHT:
     intHT = total_list[intCount] and strHNT = name_list[intCount]`

您不能使用 and 来分配两个变量。 Python 将您的作业解析为:

intH1 = (score1_list[intCount] and strHN1) = name_list[intCount]

试图将 name_list[intCount] 表达式的结果分配给 intH1score1_list[intCount] and strHN1and是一个运算符,只能在表达式中使用,但赋值是一个语句。语句可以包含表达式,表达式不能包含语句。

这就是 defined grammar for assignments 使用语法实体 *expression_listandyield_expression, two expression forms you can use, only in the part to the right of the=` 等号的原因:

assignment_stmt ::=  (target_list "=")+ (expression_list | yield_expression)

target_list 定义不允许使用任意表达式。

使用分行赋值:

intH1 = score1_list[intCount]
strHN1 = name_list[intCount]

或使用元组赋值:

intH1, strHN1 = score1_list[intCount], name_list[intCount]

if 的每个分支都进行两次赋值。它们之间不需要 and,只需要将它们分成两个语句:

if score1_list[intCount] > intH1:
    intH1 = score1_list[intCount]
    strHN1 = name_list[intCount]
if score2_list[intCount] > intH2:
    intH2 = score2_list[intCount]
    strHN2 = name_list[intCount]
if score3_list[intCount] > intH3:
    intH3 = score3_list[intCount]
    strHN3 = name_list[intCount]
if total_list[intCount] > intHT:
    intHT = total_list[intCount]
    strHNT = name_list[intCount]