如何使用python覆盖文件中的字符串



所以我有一个文本文件(名为" Numbers "),看起来像这样:

1 - 2 - 3 - 8 - 5 - 6  
1 - 2 - 3 - 4 - 5 - 6  
1 - 2 - 3 - 4 - 5 - 6  
1 - 2 - 3 - 4 - 5 - 6  

我想将第一行中的数字8替换为数字4。我该怎么做呢?
到目前为止,我得到了以下内容:

File = open('Numbers.txt','r+')  
for line in File:
  Row = line.split(' - ')
  FourthValue = Row[3]
  NewFourthValue = '4'
  NewLine = line.replace(FourthValue,NewFourthValue)
  File.write(NewLine)
  break
File.close()

然后,将新的正确行附加到文件末尾,如下所示:

1 - 2 - 3 - 8 - 5 - 6  
1 - 2 - 3 - 4 - 5 - 6  
1 - 2 - 3 - 4 - 5 - 6  
1 - 2 - 3 - 4 - 5 - 61 - 2 - 3 - 4 - 5 - 6

我怎么做才能使这一行取代第一行?

阅读第一行后,您需要"倒带"文件,以便您可以覆盖第一行。

with open(fname, 'r+') as f:
    row = f.readline()
    row = row.replace('8', '4')
    f.seek(0)
    f.write(row)

在执行此操作时要小心,因为如果新数据与旧数据的大小不完全相同,则会使以下行混乱。一般来说,它要简单得多& &;创建一个新文件更安全,将(可能修改的)行从一个文件复制到另一个文件,但是如果您必须处理大文件,那么了解这种技术是很好的。

文本文件重写是有问题的,因为它们通常有可变长度的记录,然而你的是固定长度的,所以:

fh = open('gash.txt','r+') 
# read the first line
line = fh.readline()
row = line.split(' - ')
fourthValue = row[3]
newFourthValue = '4'
newLine = line.replace(fourthValue, newFourthValue)
此时,"当前文件位置"位于下一行的开始位置,因此我们必须将其移回当前记录 的开始位置。
fh.seek(0)
fh.write(newLine)
fh.close()

那太简单了。这条线的问题是第一行。如果是在其他地方,我们必须通过使用fh.tell()来记住每行之前的文件位置,然后在fh.seek()中使用该数字。

编辑:在回答"如果我想替换第4行而不是第一行中的值"的问题时,这将用第4行中的8替换4。

lineToChange = 4
fieldToChange = 3
newValue = '8'
sep = ' - '
lineno = 0
fh = open('gash.txt','r+')
while True:
    # Get the current file position
    start_pos = fh.tell()
    # read the next line
    line = fh.readline()
    if not line: break          # exit the loop at EOF
    lineno += 1
    if lineno == lineToChange:
        row = line.split(sep)
        # A different replace mechanism
        row[fieldToChange] = newValue
        newLine = sep.join(row)
        # before writing, we must move the file position
        fh.seek(start_pos)
        fh.write(newLine)
fh.close()

请注意这只适用于我们将单个字符替换为另一个字符。如果我们想将8替换为10,那么这将无法工作,因为现在行长度将不同,并且我们将覆盖下一行的开头。

相关内容

  • 没有找到相关文章

最新更新