Создайте игру "Камень, ножницы, бумага" на Python (пошаговое руководство)

Хотите улучшить свои навыки работы с Python, создавая интересный проект? Это руководство поможет вам создать игру "Камень, ножницы, бумага" с использованием Python!

В итоге у вас будет рабочая игра, в которой пользователь играет против компьютера в интерактивной версии "Камень, ножницы, бумага" с отслеживанием результатов.

Этот удобный для начинающих проект охватывает основные концепции программирования, в том числе:

- Использование модуля random для имитации компьютерного соперника; - Проверка правильности пользовательского ввода с помощью регулярных выражений; - Работа с циклами и условными операторами; - Отслеживание результатов и возможность повтора

Давайте погрузимся в это с головой!

Шаг 1: Настройка проекта

Прежде чем мы начнем кодировать, давайте настроим наш проект на Python:

1. Убедитесь, что на вашем компьютере установлен Python. Если нет, загрузите его с официального веб-сайта Python.2. Откройте свой любимый редактор кода или IDE.3. Создайте новый файл Python, например, rock_paper_scissors.py.

Отлично, а теперь давайте с головой погрузимся в наш редактор Python, чтобы начать сборку.

Шаг 2: Понимание того, как работает игра

Игра Камень Ножницы бумага проводится по следующим правилам:

  • Пользователь выбирает Камень (R), Бумагу (P) или Ножницы (S).
  • Компьютер случайным образом выбирает один из трех вариантов.
  • The game determines the winner based on these conditions: Rock beats Scissors 🪨✂️ Scissors beats Paper ✂️📄 Paper beats Rock 📄🪨
  • Игра отслеживает результат и спрашивает, хочет ли пользователь сыграть еще раз.

А теперь давайте начнем писать код на Python!

Шаг 3: Импорт необходимых модулей

Для этого проекта нам нужны три модуля на Python:

import random  # For generating random choices
import os  # To clear the screen between rounds
import re  # For validating user input

Почему Мы Используем Эти Модули?

  • случайный: Python random позволяет компьютеру случайным образом выбирать камень, ножницы или бумагу.
  • операционная система: Очищает экран терминала после каждого раунда для лучшей читаемости.
  • re: Помогает нам проверять вводимые пользователем данные с помощью регулярных выражений (regex).

Шаг 4: Спрашиваем пользователя, хочет ли он играть снова

В конце каждого раунда мы будем спрашивать пользователя, хочет ли он продолжить игру.

def check_play_status():
    valid_responses = ['yes', 'no', 'y']
    while True:
        try:
            response = input('Do you wish to play again? (Yes or No): ')
            if response.lower() not in valid_responses:
                raise ValueError('Yes or No only')

            if response.lower() in ['yes', 'y']:
                return True
            else:
                os.system('cls' if os.name == 'nt' else 'clear')
                print('Thanks for playing!')
                exit()

        except ValueError as err:
            print(err)

как это работает

  • Список допустимых ответов (да, нет, y) обеспечивает надлежащую проверку введенных данных.
  • Если пользователь вводит "да" или "y", игра продолжается.
  • Если они наберут "нет", мы очистим экран, отобразим сообщение с благодарностью и выйдем с помощью exit().
  • Если они вводят что-то еще, функция продолжает запрашивать до тех пор, пока они не дадут корректный ответ.

Шаг 5: Написание основной логики игры

Теперь давайте напишем функцию, которая запускает игру "Камень, ножницы, бумага".

def play_rps():
    user_score = 0
    computer_score = 0
    play = True

    while play:
        os.system('cls' if os.name == 'nt' else 'clear')
        print('')
        print('Rock, Paper, Scissors - Shoot!')

        user_choice = input('Choose your weapon [R]ock, [P]aper, or [S]cissors: ')

        # Validate input using regex
        if not re.match("^[RrPpSs]$", user_choice):
            print('Invalid choice! Please choose: [R]ock, [P]aper, or [S]cissors.')
            continue

        print(f'You chose: {user_choice.upper()}')

        choices = ['R', 'P', 'S']
        opp_choice = random.choice(choices)

        print(f'I chose: {opp_choice}')

        # Determine the winner
        if opp_choice == user_choice.upper():
            print('It\'s a Tie!')
        elif (opp_choice == 'R' and user_choice.upper() == 'S') or \
             (opp_choice == 'S' and user_choice.upper() == 'P') or \
             (opp_choice == 'P' and user_choice.upper() == 'R'):
            print(f'{opp_choice} beats {user_choice.upper()}, I win!')
            computer_score += 1
        else:
            print(f'{user_choice.upper()} beats {opp_choice}, You win!')
            user_score += 1

        print(f'Score - You: {user_score}, Computer: {computer_score}')
        play = check_play_status()

как это работает

  • Игра продолжается по циклу (во время игры:) до тех пор, пока игрок не решит остановиться.
  • В начале каждого раунда экран очищается для придания ему более четкого вида.
  • Регулярные выражения (re.match()) обеспечивают корректный ввод (только R, P или S).
  • Компьютер случайным образом выбирает Камень, ножницы или бумагу.
  • В игре используются условия if-elif-else для определения победителя и обновления результатов.
  • Пользователь может играть снова или выходить из игры после каждого раунда.

Основная функциональность нашей игры "Камень, ножницы, бумага" управляется функцией play_rps().

Он выполняет три основные функции: - Принимает вводимые пользователем данные и проверяет их. - Использует модуль случайного выбора, позволяющий компьютеру сделать выбор.- Сравнивает варианты, используя инструкции if-elif-else, чтобы определить победителя.

Using a while Loop for Continuous Gameplay

The game runs in a while loop to let the user play multiple rounds until they choose to quit.

while play:

Why Use a while Loop?

- Keeps the game running until the player exits.
- Allows us to reset the game variables and restart fresh for a new round.
- Improves user experience by making the game interactive.

When the user decides to quit, we set play = False, breaking out of the loop.

Clearing the Screen for a Better User Experience

os.system('cls' if os.name == 'nt' else 'clear')

Why Do We Use This?

  • This command clears the terminal screen between rounds, so old outputs don’t clutter the interface.
  • cls is used for Windows, while clear is used for Linux/macOS.
  • The os.name check ensures that the correct command is used based on the operating system.

Taking and Validating User Input with input() and re.match()

user_choice = input('Choose your weapon [R]ock, [P]aper, or [S]cissors: ')

if not re.match("^[RrPpSs]$", user_choice):
    print('Invalid choice! Please choose: [R]ock, [P]aper, or [S]cissors.')
    continue

Why Use re.match()?

- Ensures the user input is valid (only "R", "P", or "S").
- Uses regular expressions (regex) to check if the input is a single character and belongs to the allowed choices.
- If the user enters anything invalid, the game displays an error message and asks them to try again.

Using random.choice() for Computer’s Move

choices = ['R', 'P', 'S']
opp_choice = random.choice(choices)

Why Use random.choice()?

- Generates a truly random selection between Rock, Paper, and Scissors.
- Eliminates predictability, making the game more realistic.

Instead of writing multiple conditions, random.choice() simplifies the code by picking from a list.

Using if-elif-else to Determine the Winner

if opp_choice == user_choice.upper():
    print('It\'s a Tie!')
elif (opp_choice == 'R' and user_choice.upper() == 'S') or \
     (opp_choice == 'S' and user_choice.upper() == 'P') or \
     (opp_choice == 'P' and user_choice.upper() == 'R'):
    print(f'{opp_choice} beats {user_choice.upper()}, I win!')
    computer_score += 1
else:
    print(f'{user_choice.upper()} beats {opp_choice}, You win!')
    user_score += 1

How Does This Work?

First, we check for a tie:

  • If both choices are the same (opp_choice == user_choice.upper()), we print "It's a Tie!".

Then, we check for a computer win:

  • We list out all losing conditions for the player using logical OR (or).

Else, the player wins:

  • If neither of the above conditions are met, the user wins by default.

Why Use or Statements?

- Easier to read and modify instead of multiple if conditions.
- Explicitly states all losing conditions in one line.

Keeping Score Between Rounds

print(f'Score - You: {user_score}, Computer: {computer_score}')

Each time a player wins, we increment their score.

  • computer_score += 1 → Adds 1 to the computer’s score if the player loses.
  • user_score += 1 → Adds 1 to the user’s score if they win.

This f-string ensures that the score is updated correctly between rounds.

Step 6: Running the Game

Finally, we use this simple but powerful line to control when the game starts:

if __name__ == '__main__':
    play_rps()

Why Is This Needed?

Python sets a special variable called __name__ when a script is run.

  • If the script is executed directly, __name__ is set to "__main__", so play_rps() runs.
  • If the script is imported as a module, __name__ is set to the module’s name, and play_rps() does not run automatically.

Why Is This Best Practice?

- Allows the game to run only when intended.
- Prevents automatic execution if imported into another script.
- Makes the code modular and reusable for future projects.

Final Code: Rock Paper Scissors Game

import random
import os
import re

def check_play_status():
    valid_responses = ['yes', 'no', 'y']
    while True:
        try:
            response = input('Do you wish to play again? (Yes or No): ')
            if response.lower() not in valid_responses:
                raise ValueError('Yes or No only')

            if response.lower() in ['yes', 'y']:
                return True
            else:
                os.system('cls' if os.name == 'nt' else 'clear')
                print('Thanks for playing!')
                exit()

        except ValueError as err:
            print(err)

def play_rps():
    user_score = 0
    computer_score = 0
    play = True

    while play:
        os.system('cls' if os.name == 'nt' else 'clear')
        print('\nRock, Paper, Scissors - Shoot!')

        user_choice = input('Choose your weapon [R]ock, [P]aper, or [S]cissors: ')

        if not re.match("^[RrPpSs]$", user_choice):
            print('Invalid choice! Try again.')
            continue

        print(f'You chose: {user_choice.upper()}')
        choices = ['R', 'P', 'S']
        opp_choice = random.choice(choices)
        print(f'I chose: {opp_choice}')

        if opp_choice == user_choice.upper():
            print('It\'s a Tie!')
        elif (opp_choice == 'R' and user_choice.upper() == 'S') or \
             (opp_choice == 'S' and user_choice.upper() == 'P') or \
             (opp_choice == 'P' and user_choice.upper() == 'R'):
            print(f'{opp_choice} beats {user_choice.upper()}, I win!')
            computer_score += 1
        else:
            print(f'{user_choice.upper()} beats {opp_choice}, You win!')
            user_score += 1

        print(f'Score - You: {user_score}, Computer: {computer_score}')
        play = check_play_status()

if __name__ == '__main__':
    play_rps()

Wrapping Up

Congratulations! You’ve built a complete Rock Paper Scissors game in Python!

This project helped you practice:
- Using Python’s random module to make decisions
- Loops (while) to keep the game running
- Handling user input validation (re.match())
- Using if-elif-else conditions to determine winners
- Keeping track of scores dynamically
- Following best practices (if __name__ == '__main__')

Next Steps: Enhance Your Game!

- Add an extended best-of-5 mode.
- Include a difficulty setting where the computer picks based on player history.
- Make a graphical version using Tkinter or PyQt.

The best way to learn Python is by building fun projects—so keep experimenting!