💎Streamlit Application #1
Goal
We are going to translate our Python calculator that runs on the terminal to a simple web application.
What is Streamlit?

Streamlit is an open-source Python library that simplifies the process of creating and sharing custom web applications for data science and machine learning projects.
It allows developers to quickly build interactive and visually appealing applications using simple Python scripts without requiring any web development experience. Streamlit provides an intuitive API for adding widgets, charts, and other UI elements, making it easy to visualize data and model outputs. Applications built with Streamlit can be deployed and shared with others effortlessly. Its real-time updating feature enhances the interactivity and responsiveness of the apps.
Getting Started
insert installation guide and such...
How our App Looks

Python Code using Streamlit
# Streamlit Python Application
# Dependency Imports
import streamlit as st
# Application
st.title("Calculator App")
# Select an operation
choice = st.selectbox(
label="Choose an operation.",
options=["Add", "Subtract", "Multiply", "Divide"],
index=None,
placeholder="Choose one of the options"
)
# Provide two operands for our operations
# Only if the user has selected an operation
# we could have also wrote: if choice is not None:
if choice:
num1 = st.number_input(
label="Enter a value.",
value=0.0,
key="operand1"
)
num2 = st.number_input(
label="Enter a value.",
value=0.0,
key="operand2"
)
result = 0 # initialize our answer container
# Displaying our answer
st.write("The calculation:")
if choice == "Add":
result = num1 + num2
st.write(f"{num1} + {num2} = {result}")
elif choice == "Subtract":
result = num1 - num2
st.write(f"{num1} - {num2} = {result}")
elif choice == "Multiply":
result = num1 * num2
st.write(f"{num1} * {num2} = {result}")
elif choice == "Divide":
if num2 == 0:
st.write("Invalid denominator, cannot divide by zero.")
else:
result = num1 / num2
st.write(f"{num1} / {num2} = {result}")
Last updated