我正在使用Python打开文本文档:
text_file = open("Output.txt", "w")
text_file.write("Purchase Amount: " 'TotalAmount')
text_file.close()
我想将字符串变量TotalAmount的值替换为文本文档。有人能告诉我怎么做吗?
我正在使用Python打开文本文档:
text_file = open("Output.txt", "w")
text_file.write("Purchase Amount: " 'TotalAmount')
text_file.close()
我想将字符串变量TotalAmount的值替换为文本文档。有人能告诉我怎么做吗?
当前回答
我想很多人都将这里的答案作为如何将字符串写入文件的一般快速参考。通常,当我将字符串写入文件时,我希望指定文件编码,以下是如何做到的:
with open('Output.txt', 'w', encoding='utf-8') as f:
f.write(f'Purchase Amount: {TotalAmount}')
如果未指定编码,则使用的编码取决于平台(参见文档)。我认为默认行为从实际角度来看很少有用,可能会导致严重的问题。这就是为什么我几乎总是设置编码参数。
其他回答
如果您使用numpy,只需一行即可将单个(或多个)字符串打印到文件中:
numpy.savetxt('Output.txt', ["Purchase Amount: %s" % TotalAmount], fmt='%s')
强烈建议使用上下文管理器。作为一个优点,它可以确保文件始终关闭,无论发生什么:
with open("Output.txt", "w") as text_file:
text_file.write("Purchase Amount: %s" % TotalAmount)
这是显式版本(但请记住,应首选上面的上下文管理器版本):
text_file = open("Output.txt", "w")
text_file.write("Purchase Amount: %s" % TotalAmount)
text_file.close()
如果您使用的是Python2.6或更高版本,最好使用str.format()
with open("Output.txt", "w") as text_file:
text_file.write("Purchase Amount: {0}".format(TotalAmount))
对于python2.7及更高版本,您可以使用{}而不是{0}
在Python3中,打印函数有一个可选的文件参数
with open("Output.txt", "w") as text_file:
print("Purchase Amount: {}".format(TotalAmount), file=text_file)
Python3.6引入了f字符串作为另一种选择
with open("Output.txt", "w") as text_file:
print(f"Purchase Amount: {TotalAmount}", file=text_file)
使用pathlib模块,不需要缩进。
import pathlib
pathlib.Path("output.txt").write_text("Purchase Amount: {}" .format(TotalAmount))
从python 3.6开始,f-string是可用的。
pathlib.Path("output.txt").write_text(f"Purchase Amount: {TotalAmount}")
我想很多人都将这里的答案作为如何将字符串写入文件的一般快速参考。通常,当我将字符串写入文件时,我希望指定文件编码,以下是如何做到的:
with open('Output.txt', 'w', encoding='utf-8') as f:
f.write(f'Purchase Amount: {TotalAmount}')
如果未指定编码,则使用的编码取决于平台(参见文档)。我认为默认行为从实际角度来看很少有用,可能会导致严重的问题。这就是为什么我几乎总是设置编码参数。
如果要传递多个参数,可以使用元组
price = 33.3
with open("Output.txt", "w") as text_file:
text_file.write("Purchase Amount: %s price %f" % (TotalAmount, price))
更多:在python中打印多个参数