首先感谢帮助我移动文件并帮助我使用tcl脚本。
我对python代码有点疑问..如下所示..
import os
import shutil
data =" set filelid [open \"C:/Sanity_Automation/Work_Project/Output/smokeTestResult\" w+] \n\
puts $filelid \n\
close $filelid \n"
path = "C:\\Sanity_Automation\\RouterTester900SystemTest"
if os.path.exists(path):
shutil.rmtree('C:\\Sanity_Automation\\RouterTester900SystemTest\\')
path = "C:\\Program Files (x86)"
if os.path.exists(path):
src= "C:\\Program Files (x86)\\abc\\xyz\\QuickTest\\Scripts\\RouterTester900\\Diagnostic\\RouterTester900SystemTest"
else:
src= "C:\\Program Files\\abc\\xyz\\QuickTest\\Scripts\\RouterTester900\\Diagnostic\\RouterTester900SystemTest"
dest = "C:\\Sanity_Automation\\RouterTester900SystemTest\\"
shutil.copytree(src, dest)
log = open('C:\\Sanity_Automation\\RouterTester900SystemTest\\RouterTester900SystemTest.app.tcl','r+')
log_read=log.readlines()
x="CloseAllOutputFile"
with open('C:\\Sanity_Automation\\RouterTester900SystemTest\\RouterTester900SystemTest.app.tcl', 'a+') as fout:
for line in log_read:
if x in line:
fout.seek(0,1)
fout.write("\n")
fout.write(data)
此代码用于将文件从一个位置复制到另一个位置,在特定文件中搜索关键字以及将数据写入文件...
我的疑问是每当我写的时候......它会写入文件末尾而不是当前位置......
示例:说..我将文件从程序文件复制到sanity文件夹,并在其中一个复制文件中搜索单词“CloseAllOutputFile”。当找到单词时,它应该在该位置插入文本而不是文件末尾。
答案 0 :(得分:5)
在文件中间添加数据的一种简单方法是使用fileinput
模块:
import fileinput
for line in fileinput.input(r'C:\Sanity_Automation\....tcl', inplace=1):
print line, # preserve old content
if x in line:
print data # insert new data
可选的就地过滤:如果关键字参数 inplace = 1 是 传递给fileinput.input()或FileInput构造函数,该文件 被移动到备份文件,标准输出被定向到输入 文件(如果已存在与备份文件同名的文件,则为 将被默默地替换)。这使得编写过滤器成为可能 在适当的位置重写其输入文件。如果备份参数是 给定(通常为backup ='。'),它指定 备份文件的扩展名,备份文件仍然存在;通过 默认情况下,扩展名为“.bak”,并在输出时删除 文件已关闭。
要在不使用filename
的情况下将数据插入fileinput
文件,请插入import os
from tempfile import NamedTemporaryFile
dirpath = os.path.dirname(filename)
with open(filename) as file, \
NamedTemporaryFile("w", dir=dirpath, delete=False) as outfile:
for line in file:
print >>outfile, line, # copy old content
if x in line:
print >>outfile, data # insert new data
os.remove(filename) # rename() doesn't overwrite on Windows
os.rename(outfile.name, filename)
:
{{1}}
答案 1 :(得分:1)
你不所有你能做的就是在文件中读取,插入你想要的文字,然后把它写回来
with open("some_file","r") as f:
data = f.read()
some_index_you_want_to_insert_at = 122
some_text_to_insert = "anything goes here"
new_data = data[:some_index_you_want_to_insert_at] + some_text_to_insert + data[some_index_you_want_to_insert_at:]
with open("some_file","w") as f:
f.write(new_data)
print "all done!"
答案 2 :(得分:0)
实际上你的方法有效,但你的fout是在追加模式下打开的。所以这就是你最后只能写的原因。这是一个有效的例子。
# creating a file for reference
ff = open("infiletest","w")
pos_file = {}
for i in range(3):
pos_file[i] = ff.tell()
ff.write("%s 21/1/1983\n" % i)
ff.close()
# modify the second line
ff = open("infiletest","r+")
ff.seek(pos_file[2])
ff.write("%s 00/0/0000\n" % 2)
ff.close()
请注意,您要覆盖文件的内容。