Advertisement
gruntfutuk

numberguesser

Mar 29th, 2025 (edited)
395
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 4.24 KB | Software | 0 0
  1. from random import randint
  2. import math
  3. from dataclasses import dataclass
  4.  
  5. # Constants
  6. LOWEST: int = 1
  7. HIGHEST: int = 100
  8. AFFIRMATION: frozenset[str] = frozenset({"yes", "y", "yeah", "sure", "ok", "okay"})
  9. REJECTION: frozenset[str] = frozenset({"no", "n", "nope", "exit", "quit"})
  10.  
  11. @dataclass
  12. class Params:
  13.     correct: int
  14.     lowest: int = LOWEST
  15.     highest: int = HIGHEST
  16.     attempts: int = HIGHEST - LOWEST + 1
  17.  
  18. def get_num(prompt: str = "Enter a number: ", lowest: int = LOWEST, highest: int = HIGHEST) -> int:
  19.     """ Prompts user for and returns valid integer within range specified """
  20.     while True:
  21.         response: str = input(prompt).strip()
  22.         try:
  23.             num: int = int(response)
  24.             if lowest <= num <= highest:
  25.                 return num
  26.             raise ValueError
  27.         except ValueError:
  28.             print(f"Not valid. Expected whole number between {lowest} and {highest}")
  29.  
  30. def get_guess(params: Params) -> int:
  31.     """ Gets the user's guess within the range and available attempts """
  32.     return get_num(
  33.         f"\nYou have {params.attempts} attempts left."
  34.         f"\nEnter a number between {params.lowest} and {params.highest}: ",
  35.         params.lowest,
  36.         params.highest
  37.     )
  38.  
  39. def set_range() -> tuple[int, int]:
  40.     """ User sets range for random number generation, ensuring valid input """
  41.     lowest: int = get_num("Enter minimum number: ", LOWEST, int(HIGHEST / 1.5))
  42.     highest: int = get_num("Enter maximum number: ", lowest + 1, HIGHEST)  # Ensures highest > lowest
  43.     return lowest, highest
  44.  
  45. def display_difficulty(levels: dict[str, tuple[str, float]]) -> None:
  46.     """ Displays difficulty levels to the user """
  47.     print("\nDifficulty Levels:")
  48.     for level, (desc, _) in levels.items():
  49.         print(f"\t{level}: {desc}")
  50.  
  51. def set_difficulty(levels: dict[str, tuple[str, float]], options: int) -> int:
  52.     """ User selects difficulty level, which determines the number of attempts """
  53.     while True:
  54.         display_difficulty(levels)
  55.         choice: str = input("Select a difficulty level (1-6): ").strip()
  56.         if choice in levels:
  57.             return math.ceil(options * levels[choice][1])
  58.         print("Invalid Selection: Try Again")
  59.  
  60. def startup(levels: dict[str, tuple[str, float]]) -> Params:
  61.     """ Set and return game parameters with user input """
  62.     print("\n\n\nGuessing Number Game")
  63.     print("*********************")
  64.     lowest: int
  65.     highest: int
  66.     lowest, highest = set_range()  # Explicit type hints applied before unpacking
  67.     correct: int = randint(lowest, highest)
  68.     attempts: int = set_difficulty(levels, highest - lowest + 1)
  69.     return Params(correct, lowest, highest, attempts)
  70.  
  71. def play(params: Params) -> bool:
  72.     """ Play guessing game until player uses up all attempts and loses or guesses correctly and wins """
  73.     over: bool = False  # Explicitly typed
  74.     while not over and params.attempts > 0:
  75.         user_guess: int = get_guess(params)
  76.         params.attempts -= 1
  77.  
  78.         if user_guess == params.correct:
  79.             print(f"\nYou Win! You had {params.attempts} attempts left.")
  80.             over = True
  81.         else:
  82.             print("Too High!" if user_guess > params.correct else "Too Low!")
  83.  
  84.     if not over:
  85.         print(f"\nYou Lose! The number was {params.correct}.")
  86.     return over  # Explicitly returning boolean
  87.  
  88. def play_again() -> bool:
  89.     """ Ask user if they want to play again """
  90.     while True:
  91.         response: str = input("\nWould you like to play again? (yes/no): ").strip().lower()
  92.         if response in AFFIRMATION:
  93.             return True
  94.         if response in REJECTION:
  95.             return False
  96.         print("Invalid response. Please enter yes or no.")
  97.  
  98. def main() -> None:
  99.     """ Main function to run the game """
  100.     levels: dict[str, tuple[str, float]]
  101.     levels = {
  102.         "1": ("Easy", 2),
  103.         "2": ("Medium", 1),
  104.         "3": ("Hard", 0.8),
  105.         "4": ("Elite", 0.5),
  106.         "5": ("Master", 0.4),
  107.         "6": ("GrandMaster", 0.05)
  108.     }
  109.  
  110.     while True:
  111.         params: Params = startup(levels)
  112.         play(params)
  113.         if not play_again():
  114.             print("\nThanks for playing! Goodbye.")
  115.             break
  116.  
  117. if __name__ == "__main__":
  118.     main()
  119.  
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement