@patrickd314 wrote:
@corotox, great work!! It works fine, and doesn’t necessarily require any changes.
There are so many ways to code this sort of thing. A few ideas:
Staying more or less with your structure, but with fewer if chains or try-except:
play_again = "y" while play_again != "n": if not play_again in 'yn': play_again = input("Play another? (y/n)") continue guess = input("Please press h for Heads or t for Tails: ") if not guess in "ht": print ("please enter a valid option") continue guess = 1 if guess == 'h' else 2 print(guess) # play game here play_again = input("Play another? (y/n)") print("Good-bye!")
But my favorite structure is to maintain all of the bookkeeping and as much of the interaction as possible in a play() function, possibly like this:
def play(coin_flip_success = 0, coin_flip_total = 0, dice_success = 0, dice_total = 0): while True: game = input("Welcome to the game lobby, Press 1 to play Coin Flip, Press 2 to Play Dice, or press 3 to exit: ") if not game in '123': print ("Please enter a valid option") continue game = int(game) if game == 1: augment = coinflip() coin_flip_success += augment[0] coin_flip_total += augment[1] continue if game == 2: augment = dice() dice_success += augment[0] dice_total += augment[1] continue print("Thanks for Playing.\n Your coin_flip record was {} wins out of {} tries.\nYour dice record was {} wins out of {} tries.". format(coin_flip_success, coin_flip_total, dice_success, dice_total)) play()
For this to work, you need to modify the two other functions to
return success_count, game_count
This takes care of wins and losses. It would take some more extensive modification to incorporate all of the interaction and dialog in this function, but I think thatit gives good encapsulation.