这可能是何时从 Python 中的基本数据结构转换为类的一个非常好的示例。
考虑:
values = ('2', '3', '4', '5', '6', '7', '8', '9', '10', 'J', 'Q', 'K', 'A')
suits = ('H', 'C', 'D', 'S')
sRep = {'H':'Hearts', 'C':'Clubs', 'D':'Diamonds', 'S':'Spades'}
ranks = {'2':15, '3':3, '4':4,'5':5,'6':6,'7':7,'8':8,
'9':9, '0':10, '0':10, 'J':11, 'Q':12, 'K':13, 'A':14 }
class Card:
def __init__(self, value, suit):
value=str(value)
self.value, self.suit = value.upper(), suit.upper()
self.rSuit = sRep[suit.upper()]
self.rank = ranks[value.upper()]
def __repr__(self):
return "%s of %s" % (self.value, self.rSuit)
def __cmp__(self,other):
if self.rank > other.rank: return 1
if self.rank < other.rank: return -1
if self.value > other.value: return 1
if self.value < other.value: return -1
if self.rSuit > other.rSuit: return 1
if self.rSuit < other.rSuit: return -1
return 0
尝试一些卡片:
c1=Card(2,'s')
c2=Card(4,'d')
if c1>c2:
print "A", c1, "beats a", c2
elif c2>c1:
print "A", c2, "beats a", c1
else:
print "Same..."
这打印:
A 2 of Spades beats a 4 of Diamonds
由于我们在类中定义了排序顺序,因此复杂的排序很容易,基于不同游戏的排名也很容易。
以您的卡片列表为例:
a = [['3D'], ['3D', '4D', '5D'], ['4C'], ['2C'],['4C', '4D'], ['4D'], ['5D'], ['JC'], ['JC', 'JS'], ['JS']]
print sorted([Card(c[0],c[1]) for e in a for c in e])
印刷:
[3 of Diamonds, 3 of Diamonds, 4 of Clubs, 4 of Clubs, 4 of Diamonds,
4 of Diamonds, 4 of Diamonds, 5 of Diamonds, 5 of Diamonds, J of Clubs,
J of Clubs, J of Spades, J of Spades, 2 of Clubs]
再做一点工作,您就可以定义手以及什么手击败另一只手。
您可以在经典 Python 书籍《如何像计算机科学家一样思考:使用Python学习》中阅读有关此示例的更多信息。