我正在使用python 2.7(OS-centos6)
我有一个文本文件。例如,它由以下行组成:
0 4.064 16.786 7.016 0
1 5.520 14.733 5.719 0
2 5.904 17.898 5.222 0
3 3.113 18.613 18.453 0
4 3.629 16.760 5.118 0
:
:
:
398 6.369 14.623 6.624 0
399 5.761 18.084 7.212 0
400 2.436 17.021 10.641 0
最后一列最初包含全部0。它基本上是一面旗帜。 我想修改这个文本文件,即我想让最后一列输入为1(即将标志值更改为1)每当某个标准与特定行匹配时。例如,行号3,20,250,400满足该标准。然后我想将这些特定行的标志值(最后一列条目)设置为1而不更改这些行上存在的其他值。 另外,我想在循环中这样做,因为我有很多标准。因此,我必须每次都到文件的顶部(即每个标准)并从上到下扫描它;只要满足条件,将特定行的标记标记为1。
重要:我正在使用相同的修改文件,然后只选择标志值为1的那些行(用于进一步处理)。对于上面提到的循环的每次迭代,我想读这个修改过的文件简而言之,这意味着我想为一个标准修改文件(即设置标志为1) - >然后阅读修改后的文件 - >做处理 - >然后采取下一个标准 - >为此标准将标志设置为1 - >阅读修改后的文件 - >等等。
我想补充一下: 要满足的标准每次都考虑两条不同的线。 例如如果第3和第2列的第2列条目之间的差异第398行小于2.0,然后将第398行的标志设置为1.即差值17.898 - 18.084小于2.0,因此第398行的标志将设置为1
任何帮助都将受到高度赞赏。
答案 0 :(得分:0)
好。首先,您需要打开文件并阅读每一行。
我建议您从一个文件中逐行读取文件并将其写入第二个文件。
with open("original.dat", "r"), open("new.dat", "w") as source, destination:
for line in source:
# split on spaces is the default:
line_no, v1, v2, v3, flag = line.split()
# just an example, do whatever checks you need to
should_set_flag = some_computation(v1, v2, v3)
if should_set_flag:
flag = 1
destination.write("{} {} {} {} {}\n".format(line_no, v1, v2, v3, flag))
也许我不理解您每次进行一次更改时阅读整个文件的要求。鉴于线条似乎彼此独立,我不确定为什么这是必要的。
答案 1 :(得分:0)
f=open("filename",'r')
data=f.readlines()
f.close()
#remove file by using os.rm or using subprocess
i=0
while i < len(data):
#do something
#make changes to data list
f=open("filename",'w')
f.write(data)
这是可能的唯一方法。载入数据,删除旧文件,进行更改,写入新文件。
答案 2 :(得分:0)
为什么需要将文件写回来?它只有400行,你可以将行保留在内存中并逐个处理:
def is_criterion_1_fulfilled(row):
return row[1]<4 # only an example
def process_1(row):
print row # or do anything else with the line
def filter_and_process(iterator, criterion, process):
for row in iterator:
if criterion(row):
continue
process(row)
yield row
def main():
with open(filename, 'r') as inp:
dataset = [map(float, line.split()) for line in inp]
dataset = list(filter_and_process(dataset, is_criterion_1_fulfilled, process_1))
dataset = list(filter_and_process(dataset, is_criterion_2_fulfilled, process_2))
....
if __name__ == '__main__':
main()
答案 3 :(得分:0)
# Imports
import re
# Functions
def check_data(record, records):
# TODO Implement check operation
return False
# Read input data
infile = "data.txt"
with open(infile, "r") as f:
# Make a list of lists
records = [re.split('\s+',record) for record in f.read().splitlines()]
# Process the data
for i, record in enumerate(records):
# enumerate so as to refer to ith record if necessary,
# but lineno anyway available in record[0]
if check_data(record, records):
record[4] = '1'
# Write modified data
outfile = "out%s" % infile
with open(outfile, "w") as f:
for record in records:
f.write('\t'.join(record)+'\n')