我问了这个问题:How to find and replace multiple lines in text file? 但我的问题最终还不清楚,所以我要求另一个更具体。
我有Python 2.7。
我有三个文本文件,data.txt
,find.txt
和replace.txt
。
data.txt
大约有1MB大文件,有几千行。现在,我有一个find.txt
文件,其中包含我希望在data.txt
中找到的X行数,并替换为replace.txt
中的Y行数,而X和Y可能是相同的数字,或者它可能不会。
例如:
data.txt中
pumpkin
apple
banana
cherry
himalaya
skeleton
apple
banana
cherry
watermelon
fruit
find.txt
apple
banana
cherry
replace.txt
1
2
3
4
5
因此,在上面的示例中,我想在数据中搜索apple
,banana
和cherry
的所有出现,并在其位置插入1,2,3,4,5
。
因此,结果data.txt
看起来像:
pumpkin
1
2
3
4
5
himalaya
skeleton
1
2
3
4
5
watermelon
fruit
或者,如果replace.txt
中的行数小于find.txt
的行数:
pumpkin
1
2
himalaya
skeleton
1
2
watermelon
fruit
由于我的data.txt
约为1MB,因此我遇到了一些正确的方法,所以我希望尽可能高效。一种愚蠢的方法是将所有内容连接成一个长字符串并使用replace
,然后输出到新的文本文件,以便恢复所有换行符。
data = open("data.txt", 'r')
find = open("find.txt", 'r')
replace = open("replace.txt", 'r')
data_str = ""
find_str = ""
replace_str = ""
for line in data: # concatenate it into one long string
data_str += line
for line in find: # concatenate it into one long string
find_str += line
for line in replace:
replace_str += line
new_data = data_str.replace(find, replace)
new_file = open("new_data.txt", "w")
new_file.write(new_data)
但对于像我这样的大型数据文件来说,这似乎是如此复杂和低效。
我希望看到的伪代码:
这样的事情:
(x,y) = find_lines(data.txt, find.txt) # returns line numbers in data.txt that contains find.txt
replace_data_between(x, y, data.txt, replace.txt) # replaces the data between lines x and y with replace.txt
def find_lines(...):
location = 0
LOOP1:
for find_line in find:
for i, data_line in enumerate(data).startingAtLine(location):
if find_line == data_line:
location = i # found possibility
for idx in range(NUMBER_LINES_IN_FIND):
if find_line[idx] != data_line[idx+location] # compare line by line
#if the subsequent lines don't match, then go back and search again
goto LOOP1
正如你所看到的,我对这一切的逻辑都有困难。有人能指出我正确的方向吗?
答案 0 :(得分:0)
如果文件足够小,可以在ram中执行此操作...
我首先会映射find:replace relationship:
find_replace_dict = {find_string:replace_string}
然后我会浏览数据文件...
of = open('output_file','wt')
for line in data_file:
if line in find_replace_dict.keys():
of.write(find_replace_dict[line])
else:
of.write(line)
of.close()