在Python中编辑文本文件中的特定行

假设我有一个包含以下内容的文本文件:

Dan

Warrior

500

1

0

有什么办法可以编辑该文本文件中的特定行?现在我有这个:

#!/usr/bin/env python

import io

myfile = open('stats.txt', 'r')

dan = myfile.readline()

print dan

print "Your name: " + dan.split('\n')[0]

try:

myfile = open('stats.txt', 'a')

myfile.writelines('Mage')[1]

except IOError:

myfile.close()

finally:

myfile.close()

是的,我知道那·是不正确的。但是你明白我的意思吧?我正在尝试通过用Mage替换Warrior来编辑第2行。但是我还能做到吗?

回答:

你想做这样的事情:

# with is like your try .. finally block in this case

with open('stats.txt', 'r') as file:

# read a list of lines into data

data = file.readlines()

print data

print "Your name: " + data[0]

# now change the 2nd line, note that you have to add a newline

data[1] = 'Mage\n'

# and write everything back

with open('stats.txt', 'w') as file:

file.writelines( data )

这样做的原因是你不能直接在文件中执行“更改第2行”之类的操作。你只能覆盖(而不是删除)文件的某些部分-这意味着新内容仅覆盖旧内容。因此,如果你在第2行上写了“ Mage”,则结果行将是“ Mageior”。

以上是 在Python中编辑文本文件中的特定行 的全部内容, 来源链接: utcz.com/qa/401755.html

回到顶部