将字符串转换为2元组列表

时间:2015-07-19 03:04:55

标签: python list python-3.x tuples

我有这种形状的字符串:

d="M 997.14282,452.3622 877.54125,539.83678 757.38907,453.12006 802.7325,312.0516 950.90847,311.58322 Z"

是五边形的(x, y)坐标(第一个和最后一个字母是元数据,可以忽略)。我想要的是一个2元组的列表,它代表浮点中的坐标而不是所有的东西:

d = [(997.14282, 452.3622), (877.54125, 539.83678), (757.38907, 453.12006), (802.7325,312.0516), (950.90847, 311.58322)]

修剪字符串很简单:

>>> d.split()[1:-2]
['997.14282,452.3622', '877.54125,539.83678', '757.38907,453.12006', '802.7325,312.0516']

但现在我想以简洁的方式创建元组。这显然不起作用:

>>> tuple('997.14282,452.3622')
('9', '9', '7', '.', '1', '4', '2', '8', '2', ',', '4', '5', '2', '.', '3', '6', '2', '2')

拿原始字符串,我可以这样写:

def coordinates(d):
    list_of_coordinates = []
    d = d.split()[1:-2]
    for elem in d:
        l = elem.split(',')
        list_of_coordinates.append((float(l[0]), float(l[1])))
    return list_of_coordinates

工作正常:

>>> coordinates("M 997.14282,452.3622 877.54125,539.83678 757.38907,453.12006 802.7325,312.0516 950.90847,311.58322 Z")
[(997.14282, 452.3622), (877.54125, 539.83678), (757.38907, 453.12006), (802.7325, 312.0516)]

然而,这个处理是一个更大的程序的一个小而微不足道的部分,我宁愿尽可能简短和简洁。任何人都可以告诉我一个不那么冗长的方法将字符串转换为2元组列表?

3 个答案:

答案 0 :(得分:2)

您可以使用列表理解在一行中执行此操作。

object of type 'type' has no len()

这通过x = [tuple(float(j) for j in i.split(",")) for i in d.split()[1:-2]] ,每对应该组合在一起,用逗号分隔它们,将其中的每个项目转换为浮点数,并将它们组合在一个元组中。

此外,您可能希望使用d.split()[1:-2]],因为使用d.split()[1:-1]会删除最后一对坐标。

答案 1 :(得分:2)

注意,不确定是否有意 - 当你d.split()[1:-2]时,你正在丢失最后一个坐标。假设这不是故意的,那么这个的一个班轮就是 -

def coordinates1(d):
    return [tuple(map(float,coords.split(','))) for coords in d.split()[1:-1]]

如果故意丢失最后一个坐标,请在上面的代码中使用[1:-2]

答案 2 :(得分:0)

虽然你做得很好,但可以使用列表理解或某些功能(我的意思是“地图”)进行压缩:

    def coordinates(d):
        d = d[2:-2].split() # yeah, split here into pairs
        d = map(str.split, d, ","*len(d)) # another split, into tokens
        # here we'd multiplied string to get right size iterable
        return list(map(tuple, d)) # and last map with creating list
        # from "map object"

然而,它可以通过列表理解简化为一行,但是也可以减少可读性(而现在的代码很难阅读)。虽然Guido讨厌功能编程,但我发现这更合乎逻辑......经过一些练习。祝你好运!