从文件到列表中的元组的字符串

时间:2015-04-19 13:06:02

标签: python tuples sage string-split

我有一个看起来像这样的文本文件:

3 & 221/73 \\\  
4 & 963/73 \\\  
5 & 732/65 \\\  
6 & 1106/59 \\\  
7 & 647/29 \\\  
8 & 1747/49 \\\  
9 & 1923/49 \\\  
10 & 1601/41 \\\  
6 & 512 \\\

我想将数字对加载到列表或字典中。

这是我到目前为止的代码:

L = []
data1 = data.replace (" \\\\", " ")
data2 = data1.replace(" & "," ")
i=0
a=''
b=''
while data2[i] != None:
    if(a==''):
        while( data2[i] != '' ):
            a=a+data2[i]
            i = i + 1
        while(data2[i] !=''):
            b=b+data2[i]
            i = i + 1
    L.append((int(a),int(b)))
    a=''
    b=''
    i=i+1

但这是我得到的错误:

"while( data2[i] != '' ):  string out of range"  

3 个答案:

答案 0 :(得分:2)

你几乎拥有它,就像@Vor提到的那样,你的条件陈述是个问题。文本文件不以Python中的None结尾,因此您无法data2[i] != ''data2[i] != None:

with open("data.txt") as f:
    L=[]
    for line in f:
        line=line.replace(" \\\\\\", "").strip() #Replace \\\ and strip newlines
        a,b=line.split(' & ')                    #Split the 2 numbers
        L.append((int(a),b))                     #Append as a tuple

这种方法会输出一个元组列表,您要求:

>>> L
[(3, '221/73'), (4, '963/73'), (5, '732/65'), (6, '1106/59'), (7, '647/29'), (8, '1747/49'), (9, '1923/49'), (10, '1601/41'), (6, '512')]

注意:在您的第3行最后一行,当您追加到L时,您会在int()变量上使用b。由于字符串的格式为'221/73',因此它不是有效整数。你可以拆分字符串和int()每个单独的数字,但它会分割数字,这可能不是你想要的。

答案 1 :(得分:1)

这是一个类似于C的解决方案,看起来更像python。不确定输出应该是什么样子,第一个猜测引导我找到这个解决方案:

result = []

with open("test.txt") as f:
    lines = f.readlines()
    for l in lines:
            l = l.replace('\\', '')
            elements = l.split("&")
            elements = [x.strip() for x in elements]
            result.append((int(elements[0]), elements[1]))

print result

这是输出:

[(3, '221/73'), (4, '963/73'), (5, '732/65'), (6, '1106/59'), (7, '647/29'), (8, '1747/49'), (9, '1923/49'), (10, '1601/41'), (6, '512')]

请注意,这是缺少错误处理的,所以如果文件不符合您的格式,这可能会引发异常。

答案 2 :(得分:0)

我认为您希望用data2[i] != ''之类的内容替换data2[i] != None:i < len(data2)

此外,您的代码将在该行L.append((int(a),int(b)))上失败,因为221/73不是有效的文字。