微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

使用python将txt数据从日志文件转换为json?

如何解决使用python将txt数据从日志文件转换为json?

我有一个日志文件,格式如下:

parsed: {'priority': '14','timestamp': '2021-04-13 13:42:07','hostname': 'invi-dev-gw2','rootname': 'root','pid': '27889','message': 'Session STARTED - Client[ID:8242,Physical: 111.119.187.47,Virtual: 10.1.0.66] <--> Service[Name:Attendance1,ID:704,Physical: 192.168.3.18,Virtual: 10.1.0.67]'}
parsed: {'priority': '15','hostname': 'invi-dev-gw3','pid': '27890','message': 'Session STOPPED - Client[ID:8242,Virtual: 10.1.0.67]'}

文本文件中基本上有两个数据。下一步是使用 Python 将文本数据转换为 JSON。到目前为止,我已经有了用于 JSON 转换的 python 脚本,如下所示:

# Python program to convert text 
# file to JSON 
import json 


# the file to be converted to 
# json format 
filename = 'output.txt'

# dictionary where the lines from 
# text will be stored 
dict1 = {} 

# creating dictionary 
with open(filename) as fh: 

    for line in fh: 

        # reads each line and trims of extra the spaces 
        # and gives only the valid words 
        command,description = line.strip().split(None,1) 

        dict1[command] = description.strip() 

# creating json file 
# the JSON file is named as test1 
out_file = open("test.json","w") 
json.dump(dict1,out_file,indent = 4,sort_keys = False) 
out_file.close() 

现在创建了 JSON 文件,但它只显示一个数据(输出应该显示 2 个数据),如下所示:

    "parsed:": "{'priority': '15',Virtual: 10.1.0.67]'
}"

我不知道为什么它不打印整个数据。它应该在 JSON 文件显示一个数据,但只显示一个。有人能帮我解决这个问题吗?

解决方法

如果你有 dict1[command] = description.strip(),你真的想要更像:dict1[command].append(description.strip())(所以 dict1 真的想成为一个列表)。还有一个额外的问题,您可能想使用 json.loads(),但您的输入数据使用单引号,所以让我们用 ast

解析它

我会尝试类似的东西:

import ast
import collections
import json

data_in = [
    "parsed: {'priority': '14','timestamp': '2021-04-13 13:42:07','hostname': 'invi-dev-gw2','rootname': 'root','pid': '27889','message': 'Session STARTED - Client[ID:8242,Physical: 111.119.187.47,Virtual: 10.1.0.66] <--> Service[Name:Attendance1,ID:704,Physical: 192.168.3.18,Virtual: 10.1.0.67]'}","parsed: {'priority': '15','hostname': 'invi-dev-gw3','pid': '27890','message': 'Session STOPPED - Client[ID:8242,Virtual: 10.1.0.67]'}"
]

data_out = collections.defaultdict(list)
for row in data_in:
    command,command_text = [value.strip() for value in row.split(":",1)]
    data_out[command].append(ast.literal_eval(command_text))

print(json.dumps(data_out,indent=2))

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。