我正在尝试实现在Python字典中搜索特定键值的值(使用正则表达式作为键)。
示例:
我有一个Python字典,其值如:
{'account_0':123445,'seller_account':454545,'seller_account_0':454676, 'seller_account_number':3433343}
我需要搜索其键名为“seller_account”的值吗?我写了一个示例程序,但想知道是否可以做得更好。主要原因是我不确定正则表达式并错过了某些内容(比如我如何设置re以#seller_account'开头的键):
#!usr/bin/python
import re
my_dict={'account_0':123445,'seller_account':454545,'seller_account_0':454676, 'seller_account_number':3433343}
reObj = re.compile('seller_account')
for key in my_dict.keys():
if(reObj.match(key)):
print key, my_dict[key]
~ home> python regular.py
seller_account_number 3433343
seller_account_0 454676
seller_account 454545
答案 0 :(得分:36)
如果您只需要检查以"seller_account"
开头的密钥,则不需要正则表达式,只需使用startswith()
my_dict={'account_0':123445,'seller_account':454545,'seller_account_0':454676, 'seller_account_number':3433343}
for key, value in my_dict.iteritems(): # iter on both keys and values
if key.startswith('seller_account'):
print key, value
或以one_liner的方式:
result = [(key, value) for key, value in my_dict.iteritems() if key.startswith("seller_account")]
答案 1 :(得分:8)
def search(dictionary, substr):
result = []
for key in dictionary:
if substr in key:
result.append((key, dictionary[key]))
return result
>>> my_dict={'account_0':123445,'seller_account':454545,'seller_account_0':454676, 'seller_account_number':3433343}
>>> search(my_dict, 'seller_account')
[('seller_account_number', 3433343), ('seller_account_0', 454676), ('seller_account', 454545)]
答案 2 :(得分:6)
您可以使用dpath解决此问题。
http://github.com/akesterson/dpath-python
dpath允许您在键上使用glob语法搜索字典,并过滤值。你想要的是微不足道的:
$ easy_install dpath
>>> dpath.util.search(MY_DICT, 'seller_account*')
...这将返回一个与该glob匹配的所有键的大合并字典。如果您只想要路径和值:
$ easy_install dpath
>>> for (path, value) in dpath.util.search(MY_DICT, 'seller_account*', yielded=True):
>>> ... # do something with the path and value
答案 3 :(得分:0)
您可以组合使用“re”和“filter”。例如,如果您想在 os 模块中搜索其方法名称中包含“stat”一词的方法,您可以使用下面的代码。
import re
import os
r = re.compile(".*stat.*")
list(filter(r.match, os.__dict__.keys()))
结果是:
['stat', 'lstat', 'fstat', 'fstatvfs', 'statvfs', 'stat_result', 'statvfs_result']