Dealing An Ace

Python Puzzles

Back to the Python! homepage


In poker, the first person to be dealt an ace gets the role of dealer. Is the probability of being dealt the first ace equal for all players?

Create a simulation to find out.


Running a simulation we find that the first person being dealt a card has a slightly higher percentage of being dealt the first ace.

After running 100,000 simulations, I get a 28% probability of the first person receiving the first ace.

import matplotlib.pyplot as plt
import random
from collections import Counter
 
result = []
loop = 100_000
for _ in range(loop):
         
    #assume cards 1,2,3,4 are Aces
    deck = list(range(1,53))
    random.shuffle(deck)
     
    #i represents the player, assuming there are 4 players
    i = 1
 
    #if the card is an ace, append the player (i) it was dealt to    
    for x in deck:
        if x < 5:
            result.append(i)
            i = 1
            break
        else:
            i +=1
     
        #set i to player 1
        if i > 4: i = 1
 
# equals to list(set(words))
keys = list(Counter(result).keys())
 
# counts the elements' frequency
values = list(Counter(result).values())
values_pct = []
 
# determine percent
for x in values:
    values_pct.append(x/loop)
 
#create a bar chart
plt.bar(keys,values_pct)
plt.ylabel("Percentage")
plt.xlabel("Player")
plt.title("Probability of Drawing an Ace")
plt.xticks(keys)
plt.show()
values_pct.sort(reverse=True)
print(values_pct)