3

我想使用 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 语句的顺序在这里也无济于事。

用模式匹配解决这个问题的好方法是什么?

4

1 回答 1

6

用于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)]
于 2021-11-19T11:56:12.237 回答