On this page

Python 运算符

Python 运算符全面指南

Python 提供了丰富的运算符,用于执行各种操作。以下是 Python 中所有运算符的详细说明和示例:

1. 算术运算符

运算符描述示例结果
+加法3 + 25
-减法5 - 23
*乘法3 * 412
/除法10 / 33.333
//整除10 // 33
%取模10 % 31
**幂运算2 ** 38
# 算术运算符示例
print(7 / 2)    # 3.5
print(7 // 2)   # 3
print(7 % 2)    # 1
print(2 ** 4)   # 16

2. 比较运算符

运算符描述示例结果
==等于3 == 2False
!=不等于3 != 2True
>大于3 > 2True
<小于3 < 2False
>=大于或等于3 >= 3True
<=小于或等于3 <= 2False
# 比较运算符示例
a, b = 5, 3
print(a == b)   # False
print(a > b)    # True
print(a <= b+2) # True

3. 赋值运算符

运算符描述等价于示例
=基本赋值-x = 5
+=加后赋值x = x + yx += y
-=减后赋值x = x - yx -= y
*=乘后赋值x = x * yx *= y
/=除后赋值x = x / yx /= y
//=整除后赋值x = x // yx //= y
%=取模后赋值x = x % yx %= y
**=幂运算后赋值x = x ** yx **= y
# 赋值运算符示例
x = 10
x += 5  # x = x + 5 → 15
x **= 2 # x = x ** 2 → 225
print(x) # 225

4. 逻辑运算符

运算符描述示例结果
and逻辑与True and FalseFalse
or逻辑或True or FalseTrue
not逻辑非not TrueFalse
# 逻辑运算符示例
age = 25
income = 50000
print(age >= 18 and income > 30000)  # True
print(age < 18 or income < 20000)    # False
print(not (age > 30))                # True

5. 位运算符

运算符描述示例结果
&按位与5 & 31
|按位或5 | 37
^按位异或5 ^ 36
~按位取反~5-6
<<左移5 << 110
>>右移5 >> 12
# 位运算符示例
a = 5  # 0101
b = 3  # 0011
print(a & b)  # 0001 → 1
print(a | b)  # 0111 → 7
print(a ^ b)  # 0110 → 6
print(~a)     # 取反 → -6
print(a << 1) # 1010 → 10
print(a >> 1) # 0010 → 2

6. 成员运算符

运算符描述示例结果
in在序列中找到'a' in 'abc'True
not in不在序列中找到'x' not in 'abc'True
# 成员运算符示例
fruits = ['apple', 'banana', 'cherry']
print('banana' in fruits)     # True
print('orange' not in fruits) # True

7. 身份运算符

运算符描述示例结果
is两个对象是同一个对象x is y
is not两个对象不是同一个对象x is not y
# 身份运算符示例
a = [1, 2, 3]
b = a
c = [1, 2, 3]
print(a is b)      # True (同一对象)
print(a is c)      # False (不同对象)
print(a == c)      # True (值相同)

8. 运算符优先级

从高到低的优先级顺序:

  1. () - 括号
  2. ** - 幂运算
  3. ~ + - - 按位取反、正负号
  4. * / % // - 乘、除、取模、整除
  5. + - - 加、减
  6. << >> - 位移
  7. & - 按位与
  8. ^ - 按位异或
  9. | - 按位或
  10. == != > < >= <= - 比较
  11. is is not - 身份
  12. in not in - 成员
  13. not - 逻辑非
  14. and - 逻辑与
  15. or - 逻辑或
# 运算符优先级示例
result = 5 + 3 * 2 ** 2  # 5 + (3 * (2**2)) = 17
print(result)

实际应用技巧

  1. 使用 //% 进行整数除法和取余运算

    minutes = 125
    hours = minutes // 60  # 2
    remaining = minutes % 60  # 5
    
  2. 链式比较运算符

    x = 5
    print(1 < x < 10)  # True
    
  3. 使用 in 检查成员关系

    if user_input in ['yes', 'y', 'YES']:
        print("Confirmed")
    
  4. 利用短路特性优化逻辑运算

    # 如果第一个条件为False,and不会计算第二个条件
    if x > 0 and y/x > 2:
        print("Condition met")
    
  5. 使用海象运算符 (Python 3.8+)

    # 在表达式中赋值
    if (n := len(data)) > 10:
        print(f"List is too long ({n} elements)")
    

掌握这些运算符及其优先级对于编写高效、清晰的Python代码至关重要。