我想打印一个特定的Python字典键:

mydic = {}
mydic['key_name'] = 'value_name'

现在我可以检查mydic.has_key('key_name'),但我想做的是打印密钥'key_name'的名称。当然,我可以使用mydic.items(),但我不希望列出所有的键,而只是一个特定的键。例如,我期望这样的东西(在伪代码中):

print "the key name is", mydic['key_name'].name_the_key(), "and its value is", mydic['key_name']

是否有name_the_key()方法打印键名?


编辑: 好的,非常感谢大家的反应!:)我意识到我的问题没有很好地表达出来,而且很琐碎。我只是感到困惑,因为我意识到'key_name'和mydic['key_name']是两个不同的东西,我认为将'key_name'打印出字典上下文是不正确的。但实际上,我可以简单地使用“key_name”来引用键!:)


当前回答

因此,密钥“key_name”的名称为“key_name”

print('key_name')

或者用其他变量表示。

其他回答

dic = {"key 1":"value 1","key b":"value b"}

#print the keys:
for key in dic:
    print key

#print the values:
for value in dic.itervalues():
    print value

#print key and values
for key, value in dic.iteritems():
    print key, value

注意:在Python 3中,dic.iteritems()被重命名为dic.items()

因此,密钥“key_name”的名称为“key_name”

print('key_name')

或者用其他变量表示。

可能是只检索键名的最快方法:

mydic = {}
mydic['key_name'] = 'value_name'

print mydic.items()[0][0]

结果:

key_name

将字典转换为列表,然后列出整个字典的第一个元素,然后列出该元素的第一个值key_name

嗯,我认为你可能想要做的是打印字典中所有的键和它们各自的值?

如果是这样,你想要以下:

for key in mydic:
  print "the key name is" + key + "and its value is" + mydic[key]

确保你使用+'而不是,'。逗号会把每一项放在单独的一行上,而加号会把它们放在同一行上。

在Python 3中:

# A simple dictionary
x = {'X':"yes", 'Y':"no", 'Z':"ok"}

# To print a specific key (for example key at index 1)
print([key for key in x.keys()][1])

# To print a specific value (for example value at index 1)
print([value for value in x.values()][1])

# To print a pair of a key with its value (for example pair at index 2)
print(([key for key in x.keys()][2], [value for value in x.values()][2]))

# To print a key and a different value (for example key at index 0 and value at index 1)
print(([key for key in x.keys()][0], [value for value in x.values()][1]))

# To print all keys and values concatenated together
print(''.join(str(key) + '' + str(value) for key, value in x.items()))

# To print all keys and values separated by commas
print(', '.join(str(key) + ', ' + str(value) for key, value in x.items()))

# To print all pairs of (key, value) one at a time
for e in range(len(x)):
    print(([key for key in x.keys()][e], [value for value in x.values()][e]))

# To print all pairs (key, value) in a tuple
print(tuple(([key for key in x.keys()][i], [value for value in x.values()][i]) for i in range(len(x))))