I am trying to write a program that has:
a function that creates a deck of cards, 52 by default or just 13 when a suit is provided.
AND
a function that removes the first card_count cards from the deck, returns them as a list and returns an appropriate error when out of cards.
Expected results below.
>>> deck2 = Deck('♠')
>>> deck2.shuffle_deck()
>>> print(deck2.cards)
[A of ♠, 10 of ♠, 3 of ♠, 7 of ♠, 5 of ♠, 4 of ♠, 8 of ♠, J of ♠, 9 of ♠, Q of ♠, 6 of ♠, 2 of ♠, K of ♠]
>>> deck2.deal_card(7)
[A of ♠, 10 of ♠, 3 of ♠, 7 of ♠, 5 of ♠, 4 of ♠, 8 of ♠]
>>> deck2.deal_card(7)
Cannot deal 7 cards. The deck only has 6 cards left!
My issue is I am returning an empty list each time I run my code. I think I have the first class (PlayingCard) set up right and the optional argument for suit. However, I am not quite sure how to implement the deal function or why my list is returning empty. Am I missing something small?
import random
class PlayingCard():
def __init__(self, rank, suit):
acc_suit = ("♠", "♥", "♦", "♣")
acc_rank = (2, 3, 4, 5, 6, 7, 8, 9, 10, "J", "Q", "K", "A")
assert rank in acc_rank, "Not a valid rank for a playing card."
assert suit in acc_suit, "Not a valid suit for a playing card."
self.suit = suit
self.rank = rank
def __repr__(self):
return self.rank + ' of ' + self.suit
class Deck():
def __init__(self, *suit):
acc_suit = ("♠", "♥", "♦", "♣")
self.cards = []
if suit == None:
for suit in range(4):
for rank in range (1,14):
card = PlayingCard(rank, suit)
self.cards.append(card)
if suit in acc_suit:
for rank in range (1,14):
card = PlayingCard(rank, suit)
self.cards.append(card)
def shuffle_deck(self):
random.shuffle(self.cards)
def deal_card(self):
return self.cards.pop(0)
def __str__(self):
res = []
for card in self.cards:
res.append(str(card))
return '\n'.join(res)
The reason your list is empty is that you never create the deck to begin with if you provide a suit. Calling
will lead to
suit = ('♠',)
- a 1-tuple (containing 1 string), so it will never statisfyif suit in acc_suit:
=>self.deck
is empty.There are plenty other errors, to make your code runnable - pointed out in comments inlined:
and your deck class:
Test:
Output: