Python的结构模式匹配中如何区分元组和列表?
How to distinguish between a tuple and a list in Python's structural pattern matching?
我想使用Python的结构模式匹配来区分一个元组(例如代表一个点)和一个元组列表。
虽然直接的方法不起作用:
def fn(p):
match p:
case (x, y):
print(f"single point: ({x}, {y})")
case [*points]:
print("list of points:")
for x, y in points:
print(f"({x}, {y})")
fn((1, 1))
fn([(1, 1), (2, 2)])
输出:
single point: (1, 1)
single point: ((1, 1), (2, 2))
而我希望它输出:
single point: (1, 1)
list of points:
(1, 1)
(2, 2)
切换 case 语句的顺序在这里也无济于事。
用模式匹配解决这个问题的好方法是什么?
使用 tuple(foo)
匹配元组,使用 list(foo)
匹配列表
def fn(p):
match p:
case tuple(contents):
print(f"tuple: {contents}")
case list(contents):
print(f"list: {contents}")
fn((1, 1)) # tuple: (1, 1)
fn([(1, 1), (2, 2)]) # list: [(1, 1), (2, 2)]
我想使用Python的结构模式匹配来区分一个元组(例如代表一个点)和一个元组列表。
虽然直接的方法不起作用:
def fn(p):
match p:
case (x, y):
print(f"single point: ({x}, {y})")
case [*points]:
print("list of points:")
for x, y in points:
print(f"({x}, {y})")
fn((1, 1))
fn([(1, 1), (2, 2)])
输出:
single point: (1, 1)
single point: ((1, 1), (2, 2))
而我希望它输出:
single point: (1, 1)
list of points:
(1, 1)
(2, 2)
切换 case 语句的顺序在这里也无济于事。
用模式匹配解决这个问题的好方法是什么?
使用 tuple(foo)
匹配元组,使用 list(foo)
匹配列表
def fn(p):
match p:
case tuple(contents):
print(f"tuple: {contents}")
case list(contents):
print(f"list: {contents}")
fn((1, 1)) # tuple: (1, 1)
fn([(1, 1), (2, 2)]) # list: [(1, 1), (2, 2)]