按规则依次检查牌型和点数即可,除了过程略显繁琐以外也没什么可多说的。结果是$376$。
deck=[]
with open("054_poker.txt") as f:
for line in f:
deck.append(line.split())
cardDict=dict(zip("23456789TJQKA",range(2,15)))
def handleCards(s):
return sorted([[cardDict[s[i][0]],s[i][1]] for i in range(5)])
def getMask(Cards):
return Cards[0][0]+Cards[1][0]*16+Cards[2][0]*256+Cards[3][0]*4096+Cards[4][0]*65536
def isFlush(Cards):
return all(Cards[i][1]==Cards[0][1] for i in range(1,5))
def isStraight(Cards):
return all(Cards[i][0]+1==Cards[i+1][0] for i in range(4))
def isBomb(Cards):
return Cards[0][0]==Cards[3][0] or Cards[1][0]==Cards[4][0]
def getFullhouse(Cards):
if Cards[0][0]==Cards[2][0] and Cards[3][0]==Cards[4][0]:
return Cards[0][0]*16+Cards[3][0]
elif Cards[2][0]==Cards[4][0] and Cards[0][0]==Cards[1][0]:
return Cards[4][0]*16+Cards[0][0]
else:
return 0
def getTriple(Cards):
if Cards[0][0]==Cards[2][0]:
return (Cards[0][0],Cards[3][0]+Cards[4][0]*16)
elif Cards[1][0]==Cards[3][0]:
return (Cards[1][0],Cards[0][0]+Cards[4][0]*16)
elif Cards[2][0]==Cards[4][0]:
return (Cards[2][0],Cards[0][0]+Cards[1][0]*16)
else:
return []
def getPairs(Cards):
a=0
b=0
cDict={}
for c in Cards:
if c[0] in cDict:
cDict[c[0]]=cDict[c[0]]+1
if a==0:
a=c[0]
else:
b=c[0]
else:
cDict[c[0]]=1
if len(cDict)==5:
return (0,0,getMask(Cards))
elif len(cDict)==4:
return (0,a,getMask(sorted([[0,c[1]] if c[0]==a else c for c in Cards])))
else:
return (b,a,[c[0] for c in Cards if c[0]!=a and c[0]!=b][0])
def cardVal(Cards):
res=[0,0,0,0,0,0,0,0,0]
if isFlush(Cards) and isStraight(Cards):
res[0]=Cards[4][0]
return res
elif isBomb(Cards):
res[1]=Cards[1][0]
res[-1]=Cards[0][0] if Cards[1][0]==Cards[4][0] else Cards[4][0]
return res
elif getFullhouse(Cards):
res[2]=getFullhouse(Cards)
elif isFlush(Cards):
res[3]=getMask(Cards)
elif isStraight(Cards):
res[4]=Cards[4][0]
elif getTriple(Cards):
res[5]=getTriple(Cards)[0]
res[-1]=getTriple(Cards)[1]
else:
res[6],res[7],res[8]=getPairs(Cards)
return res
print sum(1 for hands in deck if cardVal(handleCards(hands[:5]))>cardVal(handleCards(hands[5:])))
|