Advertisement
Not a member of Pastebin yet?
Sign Up,
it unlocks many cool features!
- from random import randint
- import math
- from dataclasses import dataclass
- # Constants
- LOWEST: int = 1
- HIGHEST: int = 100
- AFFIRMATION: frozenset[str] = frozenset({"yes", "y", "yeah", "sure", "ok", "okay"})
- REJECTION: frozenset[str] = frozenset({"no", "n", "nope", "exit", "quit"})
- @dataclass
- class Params:
- correct: int
- lowest: int = LOWEST
- highest: int = HIGHEST
- attempts: int = HIGHEST - LOWEST + 1
- def get_num(prompt: str = "Enter a number: ", lowest: int = LOWEST, highest: int = HIGHEST) -> int:
- """ Prompts user for and returns valid integer within range specified """
- while True:
- response: str = input(prompt).strip()
- try:
- num: int = int(response)
- if lowest <= num <= highest:
- return num
- raise ValueError
- except ValueError:
- print(f"Not valid. Expected whole number between {lowest} and {highest}")
- def get_guess(params: Params) -> int:
- """ Gets the user's guess within the range and available attempts """
- return get_num(
- f"\nYou have {params.attempts} attempts left."
- f"\nEnter a number between {params.lowest} and {params.highest}: ",
- params.lowest,
- params.highest
- )
- def set_range() -> tuple[int, int]:
- """ User sets range for random number generation, ensuring valid input """
- lowest: int = get_num("Enter minimum number: ", LOWEST, int(HIGHEST / 1.5))
- highest: int = get_num("Enter maximum number: ", lowest + 1, HIGHEST) # Ensures highest > lowest
- return lowest, highest
- def display_difficulty(levels: dict[str, tuple[str, float]]) -> None:
- """ Displays difficulty levels to the user """
- print("\nDifficulty Levels:")
- for level, (desc, _) in levels.items():
- print(f"\t{level}: {desc}")
- def set_difficulty(levels: dict[str, tuple[str, float]], options: int) -> int:
- """ User selects difficulty level, which determines the number of attempts """
- while True:
- display_difficulty(levels)
- choice: str = input("Select a difficulty level (1-6): ").strip()
- if choice in levels:
- return math.ceil(options * levels[choice][1])
- print("Invalid Selection: Try Again")
- def startup(levels: dict[str, tuple[str, float]]) -> Params:
- """ Set and return game parameters with user input """
- print("\n\n\nGuessing Number Game")
- print("*********************")
- lowest: int
- highest: int
- lowest, highest = set_range() # Explicit type hints applied before unpacking
- correct: int = randint(lowest, highest)
- attempts: int = set_difficulty(levels, highest - lowest + 1)
- return Params(correct, lowest, highest, attempts)
- def play(params: Params) -> bool:
- """ Play guessing game until player uses up all attempts and loses or guesses correctly and wins """
- over: bool = False # Explicitly typed
- while not over and params.attempts > 0:
- user_guess: int = get_guess(params)
- params.attempts -= 1
- if user_guess == params.correct:
- print(f"\nYou Win! You had {params.attempts} attempts left.")
- over = True
- else:
- print("Too High!" if user_guess > params.correct else "Too Low!")
- if not over:
- print(f"\nYou Lose! The number was {params.correct}.")
- return over # Explicitly returning boolean
- def play_again() -> bool:
- """ Ask user if they want to play again """
- while True:
- response: str = input("\nWould you like to play again? (yes/no): ").strip().lower()
- if response in AFFIRMATION:
- return True
- if response in REJECTION:
- return False
- print("Invalid response. Please enter yes or no.")
- def main() -> None:
- """ Main function to run the game """
- levels: dict[str, tuple[str, float]]
- levels = {
- "1": ("Easy", 2),
- "2": ("Medium", 1),
- "3": ("Hard", 0.8),
- "4": ("Elite", 0.5),
- "5": ("Master", 0.4),
- "6": ("GrandMaster", 0.05)
- }
- while True:
- params: Params = startup(levels)
- play(params)
- if not play_again():
- print("\nThanks for playing! Goodbye.")
- break
- if __name__ == "__main__":
- main()
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement