Python Only Show Tuple Items In Loop X Amount Of Times
I need help finding a python function that will only show the value in the tuple, (x) amount of times. from random import * rankName = ('Ace', 'Two', 'Three', 'Four', 'Five', 'S
Solution 1:
Add two lines, try it:
from random import *
rankName = ("Ace", "Two", "Three", "Four", "Five", "Six", "Seven", "Eight", "Nine", "Ten", "Jack", "Queen", "King")
suit = ("hearts", "diamonds", "spades" , "clubs")
users = ("I", "computer", "deck")
# make it weighted and shuffed
users_with_weights = ["I"]*5 + ['computer']*5 + ['deck']*42
shuffle(users_with_weights)
NUMCARDS = 52
DECK = 0
PLAYER = 1
COMP = 2
count = 0while (count < 52):
for u in rankName:
for i in suit:
count = count + 1
w = users_with_weights.pop()
''' 'computer' and 'I' should only show 5 times, while deck shows 42 cards '''print count, '\t| ', u,' of', i, '\t|', w
Let me know if it meets all your needs.
Solution 2:
You could also change your logic somewhat and actually deal the cards, e.g.:
from itertools import product
from random import *
rankName = ("Ace", "Two", "Three", "Four", "Five", "Six", "Seven", "Eight",
"Nine", "Ten", "Jack", "Queen", "King")
suit = ("hearts", "diamonds", "spades" , "clubs")
users = ("deck", "I", "computer")
NUMCARDS = 52
DECK = 0
PLAYER = 1
COMP = 2
deck = list(product(suit, rankName))
deal = sample(deck, 10)
player = deal[0::2]
computer = deal[1::2]
for count, (suit, rank) in enumerate(deck):
user = PLAYER if (suit, rank) in player else COMP if (suit, rank) in computer else DECK
print count+1, '\t| ', rank,' of', suit, '\t|', users[user]
Post a Comment for "Python Only Show Tuple Items In Loop X Amount Of Times"