python – 将一行分成具有多层键值对的字典

前端之家收集整理的这篇文章主要介绍了python – 将一行分成具有多层键值对的字典前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

我有一个包含这种格式的行的文件.

  1. Example 1:
  2. nextline = "DD:MM:YYYY INFO - 'WeeklyMedal: Hole = 1; Par = 4; Index = 2; Distance = 459; score = { Player1 = 4 };"
  3. Example 2:
  4. nextline = "DD:MM:YYYY INFO - 'WeeklyMedal: Hole = 1; Par = 4; Index = 2; Distance = 459; score = { Player1 = 4; Player2 = 6; Player3 = 4 };"

我首先用’:’分割这一行,这给了我一个包含2个条目的列表.
我想将这一行拆分为带有键和值的字典,但是得分键有多个具有值的子键.

  1. Hole 1
  2. Par 4
  3. Index 2
  4. Distance 459
  5. score
  6. Player1 4
  7. Player2 6
  8. Player3 4

所以我使用的是这样的……

  1. split_line_by_semicolon = nextline.split(":")
  2. dictionary_of_line = dict((k.strip(),v.strip()) for k,v in (item.split('=')
  3. for item in split_line_by_semicolon.split(';')))
  4. for keys,values in dictionary_of_line.items():
  5. print("{0} {1}".format(keys,values))

但是我在该行的得分元素上收到错误

  1. ValueError: too many values to unpack (expected 2)

我可以将’=’上的分割调整为此值,因此它会在第一个’=’后停止

  1. dictionary_of_line = dict((k.strip(),v in (item.split('=',1)
  2. for item in split_line_by_semicolon.split(';')))
  3. for keys,values))

但是我丢失了大括号内的子值.有谁知道如何实现这个多层字典?

最佳答案
一种更简单的方法(但我不知道在你的情况下是否可以接受)将是:

  1. import re
  2. nextline = "DD:MM:YYYY INFO - 'WeeklyMedal: Hole = 1; Par = 4; Index = 2; Distance = 459; score = { Player1 = 4; Player2 = 6; Player3 = 4 };"
  3. # compiles the regular expression to get the info you want
  4. my_regex = re.compile(r'\w+ \= \w+')
  5. # builds the structure of the dict you expect to get
  6. final_dict = {'Hole':0,'Par':0,'Index':0,'Distance':0,'score':{}}
  7. # uses the compiled regular expression to filter out the info you want from the string
  8. filtered_items = my_regex.findall(nextline)
  9. for item in filtered_items:
  10. # for each filtered item (string in the form key = value)
  11. # splits out the 'key' and handles it to fill your final dictionary
  12. key = item.split(' = ')[0]
  13. if key.startswith('Player'):
  14. final_dict['score'][key] = int(item.split(' = ')[1])
  15. else:
  16. final_dict[key] = int(item.split(' = ')[1])

猜你在找的Python相关文章