列表理解中的海象运算符 (python)

Walrus operator in list comprehensions (python)

所以在编码时我非常喜欢使用列表理解来转换数据并且我尽量避免 for 循环。现在我发现 walrus 运算符对此非常方便,但是当我尝试在我的代码中使用它时它似乎不起作用。我有以下代码,想在一行简单的代码中将包含时间戳数据的字符串转换为日期时间对象,但出现语法错误,我不确定正确的语法是什么,有谁知道我做了什么错了?

from datetime import datetime

timestamps = ['30:02:17:36',
              '26:07:44:25','25:19:30:38','25:07:40:47','24:18:29:05','24:06:13:15','23:17:36:39',
              '23:00:14:52','22:07:04:33','21:15:42:20','21:04:27:53',
              '20:12:09:22','19:21:46:25']

timestamps_dt = [
    datetime(days=day,hours=hour,minutes=mins,seconds=sec) 
    for i in timestamps
    day,hour,mins,sec := i.split(':')
] 

...and want to transform the strings containing data about the timestamps into datetime objects in one easy line,

如果您想将字符串列表转换为日期时间对象列表,您可以使用下面的代码:

timestamps_dt = [datetime.strptime(d, '%d:%H:%M:%S') for d in timestamps]

由于海象运算符不支持值解包,操作

day,hour,mins,sec := i.split(':')

无效。

建议海象运算符多用于逻辑比较,尤其是需要复用变量比较时。 因此,我认为对于这种情况,简单的 datetime.strptime() 会更好。

如果你必须在列表理解中使用海象比较,你可以这样做

from datetime import datetime

timestamps = ['30:02:17:36',
              '26:07:44:25','25:19:30:38','25:07:40:47','24:18:29:05','24:06:13:15','23:17:36:39',
              '23:00:14:52','22:07:04:33','21:15:42:20','21:04:27:53',
              '20:12:09:22','19:21:46:25']

timestamps_dt = [
    datetime(2020,11, *map(int, time)) # map them from str to int
    for i in timestamps
    if (time := i.split(':')) # assign the list to the variable time
]
print(timestamps_dt)

但这会导致一个问题,为什么不只是,

timestamps_dt = [
    datetime(2020,11, *map(int, i.split(':'))) 
    for i in timestamps
]

引用PEP-572