4

我必须编辑一些文本文件以包含新信息,但我需要根据周围的文本在文件的特定位置插入该信息。

这不像我需要的那样工作:

 with open(full_filename, "r+") as f:
        lines = f.readlines() 
        for line in lines:
            if 'identifying text' in line:   
                offset = f.tell()
                f.seek(offset)  
                f.write('Inserted text')

...因为它将文本添加到文件的末尾。我将如何将其写入识别文本之后的下一行?

(AFAICT,这不是类似问题的重复,因为没有一个能够提供这个答案)

4

3 回答 3

8

如果您不需要就地工作,那么可能是这样的:

with open("old.txt") as f_old, open("new.txt", "w") as f_new:
    for line in f_old:
        f_new.write(line)
        if 'identifier' in line:
            f_new.write("extra stuff\n")

(或者,与 Python-2.5 兼容):

f_old = open("old.txt")
f_new = open("new.txt", "w")

for line in f_old:
    f_new.write(line)
    if 'identifier' in line:
        f_new.write("extra stuff\n")

f_old.close()
f_new.close()

哪个转

>>> !cat old.txt
a
b
c
d identifier
e

进入

>>> !cat new.txt
a
b
c
d identifier
extra stuff
e

(关于在 'string2' 中使用 'string1' 的常见警告:'name' in 'name' is True,'hello' in 'Othello' is True,等等,但显然你可以使条件任意复杂。)

于 2013-03-29T19:19:04.950 回答
1

您可以使用正则表达式,然后替换文本。

import re
c = "This is a file's contents, apparently you want to insert text"
re.sub('text', 'text here', c)
print c

返回“这是一个文件的内容,显然你想在此处插入文本”

不确定它是否适用于您的用例,但如果适合,它会很简单。

于 2013-03-29T19:45:58.173 回答
1

这将在文件中查找任何字符串(不具体,仅位于行首,即也可以存在于多行中)。

通常,您可以遵循以下算法:

  1. 在文件中查找字符串,并捕获“位置”
  2. 然后拆分有关此“位置”的文件,并尝试将新文件创建为
    • 将 start-to-loc 内容写入新文件
    • 接下来,将您的“NEW TEXT”写入新文件
    • 接下来,将内容定位到新文件

让我们看看代码:

#!/usr/bin/python

import os

SEARCH_WORD = 'search_text_here'
file_name = 'sample.txt'
add_text = 'my_new_text_here'

final_loc=-1
with open(file_name, 'rb') as file:
        fsize =  os.path.getsize(file_name)
        bsize = fsize
        word_len = len(SEARCH_WORD)
        while True:
                found = 0
                pr = file.read(bsize)
                pf = pr.find(SEARCH_WORD)
                if pf > -1:
                        found = 1
                        pos_dec = file.tell() - (bsize - pf)
                        file.seek(pos_dec + word_len)
                        bsize = fsize - file.tell()
                if file.tell() < fsize:
                                seek = file.tell() - word_len + 1
                                file.seek(seek)
                                if 1==found:
                                        final_loc = seek
                                        print "loc: "+str(final_loc)
                else:
                                break

# create file with doxygen comments
f_old = open(file_name,'r+')
f_new = open("new.txt", "w")
f_old.seek(0)
fStr = str(f_old.read())
f_new.write(fStr[:final_loc-1]);
f_new.write(add_text);
f_new.write(fStr[final_loc-1:])
f_new.close()
f_old.close()
于 2015-09-22T13:26:08.633 回答