修改文件文本

时间:2013-08-07 18:32:28

标签: python file text-files conditional-statements

我有一个这样的文本文件:

0  1  0  10.2  5.82  4.82
1 -1  0  8.21  5.74  3.62
0  1  1  5.33  8.66  5.47

这个文本文件有几百行具有这种模式。

在第一行中,如果第一列为0,则第四列相同。第二列为1,第五列为+10,因此值为15.82。

在第二行中,如果第一列为1,则第四列为+10,因此值为18.21。第二列为-1,第五列为-10,因此值为-4.26。等

最终输出如下:

10.20  15.82  4.82
18.21  -4.26  3.62
 5.33  18.66  15.47

我尝试过使用我写的代码:

with open('abc') as f, open('out.txt', 'w') as f1:
    for line in f:
        reff = line.split()

        if reff[0] == '0':
            value = float(reff[3])
            a = str(value)
            line = "".join(a) + " " + "".join(reff[4]) + " " + "".join(reff[5]) + '\n'

        elif reff[0] == '1':
            value = float(reff[3]) + 10
            a = str(value)
            line = "".join(a) + " " + "".join(reff[4]) + " " + "".join(reff[5]) + '\n'

        elif reff[0] == '-1':
            value = float(reff[3]) - 10
            a = str(value)
            line = "".join(a) + " " + "".join(reff[4]) + " " + "".join(reff[5]) + '\n'

        f1.write(line)

我还在每个ifelif语句中添加了更多ifelif语句,以便检查第二列和第三列。但是,只更新了第四列。

我做错了什么?

2 个答案:

答案 0 :(得分:5)

这实际上可以非常简单地完成:

with open('abc') as f, open('out.txt', 'w') as f1:
    for line in f:
        line = line.split()
        for i in range(0,3):
            line[i+3] = float(line[i+3])+(int(line[i])*10)
        f1.write(' '.join([str(value) for value in line[3:]]) + '\n')

这将为您提供输出:

10.2 15.82 4.82
18.21 -4.26 3.62
5.33 18.66 15.47

答案 1 :(得分:1)

with open('abc.txt') as f, open('out.txt', 'w') as f1:

    modifyDict = { 0:0,
                   1:10,
                  -1:-10}


    for line in f:
        reffLine = line.split()

        reffInfo = []
        for i, reff in enumerate(reffLine[:3]):
            criteria = int(reff)
            value = float(reffLine[i+3]) + modifyDict[criteria]
            a = str(value)
            reffInfo.append(a)

        templine = " ".join(reffInfo)
        line = templine + '\n'

        f1.write(line) 

这适用于python 2.7。我创建了自己的abc.txt,结果与您想要的输出相匹配。