我正在开发一个python脚本,它打开一个日志文件,将特定信息写入新的csv文件,然后比较日志文件中每个操作之间的时差。我遇到的问题是我需要想办法在新的csv文件在第一次写入过程中关闭后添加时差。这就是我到目前为止的那部分。
final_file = open('FinalLogFile.csv', 'w')
temp_logfile = csv.reader(open('tempLogFile.csv', 'rb'), delimiter="\t")
fmt = '%Y-%m-%d %H:%M:%S.%f'
row_count = 0
#find the time between each action and write it to the new file
#transfer actions from temp file to final file
for row in temp_logfile:
time = (row[0] + " " + row[1])
timestamp = strptime(time, fmt)
current_value = mktime(timestamp)
row_count+=1
if row_count == 1:
previous_value = current_value
#print ("%s - %s" %(current_value, previous_value))
total_value = current_value - previous_value
final_file.write('%s, %s' %(row,total_value) + '\n')
previous_value = current_value
final_file.close()
#remove the temp logfile
rm_command = "rm ~/log_parsing/tempLogFile.csv"
os.system(rm_command)
现在,它确实在每行的末尾添加了时间,但是,格式与原始格式完全不同,它在每个字母,空格,字符和数字之间添加逗号。有没有办法保留临时文件的原始格式或只是将时间添加到原始临时文件而不创建新文件?
感谢您的帮助!
答案 0 :(得分:0)
row
返回的每个csv.reader
都是一个列表
使用final_file.write('%s, %s' % (row,total_value) + '\n')
您正在撰写:
但您可以使用csv.writer
一步完成所有这些操作:
final_file = csv.writer(open('FinalLogFile.csv', 'wb'), delimiter="\t")
...
row.append(total_value)
final_file.writerow(row)
...