Spaces:
Runtime error
Runtime error
import streamlit as st | |
import random | |
# Define the moves | |
moves = ["Rock", "Paper", "Scissors"] | |
# Function to determine the winner | |
def determine_winner(player_move, computer_move): | |
if player_move == computer_move: | |
return "It's a tie!" | |
elif (player_move == "Rock" and computer_move == "Scissors") or \ | |
(player_move == "Paper" and computer_move == "Rock") or \ | |
(player_move == "Scissors" and computer_move == "Paper"): | |
return "You win!" | |
else: | |
return "You lose!" | |
# Streamlit app | |
st.title("Rock, Paper, Scissors") | |
st.write("Choose your move:") | |
# Create three horizontal buttons | |
col1, col2, col3 = st.columns(3) | |
with col1: | |
if st.button("Rock"): | |
player_move = "Rock" | |
with col2: | |
if st.button("Paper"): | |
player_move = "Paper" | |
with col3: | |
if st.button("Scissors"): | |
player_move = "Scissors" | |
# Ensure player_move is defined | |
if 'player_move' not in st.session_state: | |
st.session_state.player_move = None | |
# Assign player move to session state if a move is made | |
if 'player_move' in locals(): | |
st.session_state.player_move = player_move | |
# If a move is selected, randomly choose a move for the computer and determine the result | |
if st.session_state.player_move: | |
player_move = st.session_state.player_move | |
computer_move = random.choice(moves) | |
# Display player and computer moves | |
col1, col2 = st.columns(2) | |
with col1: | |
st.write("Your move:") | |
st.subheader(player_move) | |
with col2: | |
st.write("Computer's move:") | |
st.subheader(computer_move) | |
# Display result | |
result = determine_winner(player_move, computer_move) | |
st.write("Result:") | |
st.subheader(result) | |