我希望使用包含通配符的键创建 Python字典。这可能吗?
目前,我正在创建一个程序,用于查找与特定类型的评分相关联的点值。例如,与'Four-of-a-Kind'
或'Straight'
相关联的点值是多少?问题是有几种类型的四种类型(即'Four-of-a-Kind-(1)', 'Four-of-a-Kind-(2)',...
)都具有相同的点值。
以下是我目前的情况:
mode_value = {'1-Spot': 100,
'5-Spot': 500,
'Three-of-a-Kind-(1)': 300,
'Three-of-a-Kind-(2)': 200,
'Three-of-a-Kind-(3)': 300,
'Three-of-a-Kind-(4)': 400,
'Three-of-a-Kind-(5)': 500,
'Three-of-a-Kind-(6)': 600,
'Four-of-a-Kind-(1)': 1000,
'Four-of-a-Kind-(2)': 1000,
'Four-of-a-Kind-(3)': 1000,
'Four-of-a-Kind-(4)': 1000,
'Four-of-a-Kind-(5)': 1000,
'Four-of-a-Kind-(6)': 1000,
'Five-of-a-Kind-(1)': 2000,
'Five-of-a-Kind-(2)': 2000,
'Five-of-a-Kind-(3)': 2000,
'Five-of-a-Kind-(4)': 2000,
'Five-of-a-Kind-(5)': 2000,
'Five-of-a-Kind-(6)': 2000,
...
'Straight': 1500 }
鉴于字典有一个包含评分模式的键,它返回该特定模式的值:
In [1]: mode_value['Four-of-a-Kind-(3)']
Out [1]: 1000
这会产生大量的重复。例如,当我到达'Four-of-a-Kind-w/Pair-(*)'
时,可以使用六种类型中的任何六种类型中的任何一种,两种类型中的任何一种,都产生相同的分数。
这就像我想要的那样:
mode_value = {'1-Spot': 100,
'5-Spot': 500,
'Three-of-a-Kind-(1)': 300,
'Three-of-a-Kind-(2)': 200,
'Three-of-a-Kind-(3)': 300,
'Three-of-a-Kind-(4)': 400,
'Three-of-a-Kind-(5)': 500,
'Three-of-a-Kind-(6)': 600,
'Four-of-a-Kind-(*)': 1000,
'Five-of-a-Kind-(*)': 2000,
'Six-of-a-Kind-(*)': 3000,
'Three-Pairs-(*)': 1500,
'Two-Triplets-(*)': 2500,
'Four-of-a-Kind-w/Pair-(*)': 1500,
'Straight': 1500 }
到目前为止我看到的内容:
搜索表单只会提出有关在查询字典时使用通配符而不是创建字典的问题。 (即Python, accessing dictionary with wildcards)
另一个问题是使用理解来创建一个类似的效果(即Creating a Python dictionary using a comprehension),但我觉得考虑到Python中的大多数事情,必须有一个更简单的方法。
再次,这在Python中是否可行?它将大大简化为其他类型的评分编写这部分代码的类似位。
答案 0 :(得分:3)
首先,您应该单独使用值(并且不带括号):
df <- structure(list(chr = c(123L, 234L, 376L, 999L, 888L), name = structure(c(2L,
3L, 4L, 5L, 1L), .Label = c("aaa", "abc", "bvf", "bxc", "zzz"
), class = "factor"), age = c(12L, 24L, 17L, 21L, 12L), MGW.1 = c(10,
-13.29, -6.95, NA, 10), MGW.2 = c(19L, 13L, 10L, NA, NA), MGW.3 = c(18,
-3.02, -18, NA, NA), HEL.1 = c(12L, 12L, 15L, NA, NA), HEL.2 = c(13,
-0.12, 4, NA, NA), HEL.3 = c(-14L, 24L, -4L, NA, NA)), .Names = c("chr",
"name", "age", "MGW.1", "MGW.2", "MGW.3", "HEL.1", "HEL.2", "HEL.3"
), class = "data.frame", row.names = c("1", "2", "3", "4", "5"))
(这可以通过不同地解析或存储数据来完成。)
之后,您可以稍微改变一下这个问题。
您希望从与type = 'Three-of-a-Kind'
mode = '1'
或type-(mode)
匹配的密钥中获取值。解决方案是在匹配时使用正则表达式as shown here。
您案例中的代码可能是:
type-(*)
这将符合您当前的密钥格式。
它简化了正则表达式,将格式更改为for key in dict:
if re.match(type + r'-\((' + mode + r'|\*)\)', key):
print(dict[key])
(其中Four-of-a-Kind1
是通配符版本):
Four-of-a-Kind*
答案 1 :(得分:1)
根据您提供的输入,您可以使用的功能如下:
def hand_score(hand, cards=None):
fixed = {
"Four-of-a-Kind": 1000,
"Four-of-a-Kind-w/Pair": 1500,
"Five-of-a-Kind": 2000,
"Six-of-a-Kind": 3000,
"Three-Pairs": 1500,
"Two-Triplets": 2500,
"Straight": 1500
}
if hand in fixed:
return fixed[hand]
if hand == "Three-of-a-Kind":
return 100 * cards
if hand.endswith("-Spot"):
return 100 * int(hand[0])
return 0
fixed
所有类型的牌都有固定分数。