0

我想比较两个 .txt 文件。第一个文件是一个“键”,具有三个由选项卡分隔的值(即“项目编号”、“响应”和“代码”)。第二个文件包含两个由选项卡分隔的值(“项目编号”和“响应”)。我需要我的程序搜索第一个文件,找到任何与第二个文件匹配的“项目编号/响应”对,然后输出正确的“代码”。如果没有匹配,那么我希望输出只是一个空格(“”)。我不是程序员,但弄清楚这一点会大大减少我花在某些工作任务上的时间。

我发现这个线程有助于设置我的代码。我想完成同样的事情。

file 1, "Key.txt":  
1   dog C  
2   cat C  
3   bird    C  
4   pig C  
5   horse   C  
1   cat Sem  
2   bat TA  
3   animal  Super  
4   panda   M  
5   pencil  U  

file2, "Uncoded.txt":  
4   pig  
3   animal  
5   bird  
2   bat  
2   cat  
0   
1   fluffy  
0   dog  
1   

desired output:  
4   pig  C  
3   animal  Super  
5   bird    
2   bat  TA  
2   cat  C  
0     
1   fluffy    
0   dog    
1     

下面是我的代码:

f1 = open("Key.txt")  
f2 = open("Uncoded.txt")    
d = {}  

while True:  
    line = f1.readline()  
    if not line:  
        break  
    c0,c1,c2 = line.split('\t')  
    d[(c0,c1)] = (c0,c1,c2)  
while True:  
    line = f2.readline()  
    if not line:  
        break  
    c0,c1 = line.split('\t')  
    if (c0,c1) in d:  
        vals = d[(c0,c1)]  
        print (c0, c1, vals[1])  

f1.close()  
f2.close()

如果我尝试用制表符 ('\t') 分隔行,则会收到 ValueError: too many values to unpack at the line "c0,c1,c2 = line.split('\t')"

非常感谢您的任何见解或帮助!

4

1 回答 1

0

您遇到的问题是您的一个文件中的其中一行没有您期望的项目数。一个可能的原因是额外的换行符(可能在文件末尾)。Python 会将其视为在最后一个实际行之后仅包含换行符的行。当无法将空行分成三部分时,您的逻辑将失败。

解决此问题的一种方法是拆分为单个变量,而无需解压缩值。然后您可以检查拆分了多少项目,并且只有在达到预期数量时才继续拆包:

while True:  
    line = f1.readline()  
    if not line:  
        break  
    vals = line.split('\t')  # don't unpack immediately
    if len(val) == 3:        # check you got the expected number of items
        c0, c1, c2 = vals    # unpack only if it will work
        d[(c0,c1)] = (c0,c1,c2)
    else:
        print("got unexpected number of values: {}".format(vals) # if not, report the error

它与您的错误无关,但如果您愿意,可以通过使用for循环而不是循环来简化while循环。文件对象是可迭代的,产生文件的行(就像你从readline().

for line in f1:    # this does the same thing as the first four lines in the code above
    ...
于 2017-03-15T17:25:56.493 回答