我的文本文件格式为Key Value
--START--
FirstName Kitty
LastName McCat
Color Red
random_data
Meow Meow
--END--
我想要将文本中的特定值提取到变量或字典中。例如,如果我想提取LastName
和Color
的值,那么最好的方法是什么?
random_data
可能位于文件中的任何位置,并且跨越多行。
我考虑使用正则表达式,但我关注性能和可读性,因为在实际代码中我有许多不同的提取键。
我还可以遍历每一行并检查每个键,但是当有10个以上键时它会非常混乱。例如:
if line.startswith("LastName"):
#split line at space and handle
if line.startswith("Color"):
#split line at space and handle
希望得到更清洁的东西
答案 0 :(得分:0)
tokens = ['LastName', 'Color']
dictResult = {}
with open(fileName,'r') as fileHandle:
for line in fileHandle:
lineParts = line.split(" ")
if len(lineParts) == 2 and lineParts[0] in tokens:
dictResult[lineParts[0]] = lineParts[1]
答案 1 :(得分:0)
假设您的文件位于名为sampletxt.txt的文件中,这将起作用。它从key创建一个字典映射 - >价值清单。
import re
with open('sampletxt.txt', 'r') as f:
txt = f.read()
keys = ['FirstName', 'LastName', 'Color']
d = {}
for key in keys:
d[key] = re.findall(key+r'\s(.*)\s*\n*', txt)
答案 2 :(得分:0)
此版本允许您选择性地指定令牌
import re
s = """--START--
FirstName Kitty
LastName McCat
Color Red
random_data
Meow Meow
--END--"""
tokens = ["LastName", "Color"]
if len(tokens) == 0:
print(re.findall("({0}) ({0})".format("\w+"), s))
else:
print( list((t, re.findall("{} (\w+)".format(t), s)[0]) for t in tokens))
[('LastName', 'McCat'), ('Color', 'Red')]
答案 3 :(得分:0)
建立其他答案,这个函数会使用正则表达式来获取任何文本键,如果找到则返回值:
import re
file_name = 'test.txt'
def get_text_value(text_key, file_name):
match_str = text_key + "\s(\w+)\n"
with open(file_name, "r") as f:
text_to_check = f.readlines()
text_value = None
for line in text_to_check:
matched = re.match(match_str, line)
if matched:
text_value = matched.group(1)
return text_value
if __name__ == "__main__":
first_key = "FirstName"
first_value = get_text_value(first_key, file_name)
print('Check for first key "{}" and value "{}"'.format(first_key,
first_value))
second_key = "Color"
second_value = get_text_value(second_key, file_name)
print('Check for first key "{}" and value "{}"'.format(second_key,
second_value))