nsa9 commited on
Commit
7a7375f
·
verified ·
1 Parent(s): 69d9efa

Upload folder using huggingface_hub

Browse files
Files changed (3) hide show
  1. Dockerfile +9 -13
  2. app.py +93 -0
  3. requirements.txt +3 -3
Dockerfile CHANGED
@@ -1,20 +1,16 @@
1
- FROM python:3.13.5-slim
 
2
 
 
3
  WORKDIR /app
4
 
5
- RUN apt-get update && apt-get install -y \
6
- build-essential \
7
- curl \
8
- git \
9
- && rm -rf /var/lib/apt/lists/*
10
-
11
- COPY requirements.txt ./
12
- COPY src/ ./src/
13
 
 
14
  RUN pip3 install -r requirements.txt
15
 
16
- EXPOSE 8501
17
-
18
- HEALTHCHECK CMD curl --fail http://localhost:8501/_stcore/health
19
 
20
- ENTRYPOINT ["streamlit", "run", "src/streamlit_app.py", "--server.port=8501", "--server.address=0.0.0.0"]
 
1
+ # Use a minimal base image with Python 3.9 installed
2
+ FROM python:3.9-slim
3
 
4
+ # Set the working directory inside the container to /app
5
  WORKDIR /app
6
 
7
+ # Copy all files from the current directory on the host to the container's /app directory
8
+ COPY . .
 
 
 
 
 
 
9
 
10
+ # Install Python dependencies listed in requirements.txt
11
  RUN pip3 install -r requirements.txt
12
 
13
+ # Define the command to run the Streamlit app on port 8501 and make it accessible externally
14
+ CMD ["streamlit", "run", "app.py", "--server.port=8501", "--server.address=0.0.0.0", "--server.enableXsrfProtection=false"]
 
15
 
16
+ # NOTE: Disable XSRF protection for easier external access in order to make batch predictions
app.py ADDED
@@ -0,0 +1,93 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import streamlit as st
2
+ import pandas as pd
3
+ import requests
4
+
5
+ # Set page configuration
6
+ st.set_page_config(page_title="SuperKart Sales Forecasting App", layout="centered")
7
+
8
+ # App title and description
9
+ st.title("SuperKart Sales Forecasting App")
10
+ st.write(
11
+ "This tool predicts the sales revenue of products across SuperKart stores "
12
+ "based on product and store attributes."
13
+ )
14
+
15
+ # Section for online prediction
16
+ st.subheader("Online Prediction (Single Product-Store Entry)")
17
+
18
+ # Collect user input for product & store features
19
+ product_id = st.text_input("Product ID (e.g., FD123)", value="FD123")
20
+ product_weight = st.number_input("Product Weight (grams)", min_value=0.0, value=250.0, step=50.0)
21
+ product_sugar_content = st.selectbox("Sugar Content", ["low sugar", "regular", "no sugar"])
22
+ product_allocated_area = st.number_input("Allocated Display Area (ratio)", min_value=0.0, max_value=1.0, value=0.15)
23
+ product_type = st.selectbox(
24
+ "Product Type",
25
+ ["meat", "snack foods", "hard drinks", "dairy", "canned", "soft drinks",
26
+ "health and hygiene", "baking goods", "bread", "breakfast", "frozen foods",
27
+ "fruits and vegetables", "household", "seafood", "starchy foods", "others"]
28
+ )
29
+ product_mrp = st.number_input("Maximum Retail Price (MRP)", min_value=1.0, value=50.0)
30
+
31
+ store_id = st.text_input("Store ID (e.g., STR001)", value="STR001")
32
+ store_est_year = st.number_input("Store Establishment Year", min_value=1900, max_value=2025, value=2010, step=1)
33
+ store_size = st.selectbox("Store Size", ["high", "medium", "low"])
34
+ store_location_city_type = st.selectbox("Store Location City Type", ["Tier 1", "Tier 2", "Tier 3"])
35
+ store_type = st.selectbox("Store Type", ["Departmental Store", "Supermarket Type 1", "Supermarket Type 2", "Food Mart"])
36
+
37
+ # Convert user input into a DataFrame (single row)
38
+ input_data = pd.DataFrame([{
39
+ 'Product_Id': product_id,
40
+ 'Product_Weight': product_weight,
41
+ 'Product_Sugar_Content': product_sugar_content,
42
+ 'Product_Allocated_Area': product_allocated_area,
43
+ 'Product_Type': product_type,
44
+ 'Product_MRP': product_mrp,
45
+ 'Store_Id': store_id,
46
+ 'Store_Establishment_Year': store_est_year,
47
+ 'Store_Size': store_size,
48
+ 'Store_Location_City_Type': store_location_city_type,
49
+ 'Store_Type': store_type
50
+ }])
51
+
52
+ # Make prediction when "Forecast Sales" is clicked
53
+ if st.button("Forecast Sales"):
54
+ try:
55
+ response = requests.post(
56
+ "https://nsa9-ProductStoreSalesBackend.hf.space/v1/forecast", # Flask backend endpoint
57
+ json=input_data.to_dict(orient="records")[0]
58
+ )
59
+ if response.status_code == 200:
60
+ # First, get the JSON data
61
+ response_json = response.json()
62
+ # Then, check if the key exists before trying to access it
63
+ if "Predicted Sales (in dollars)" in response_json:
64
+ prediction = response_json.get("Predicted Sales (in dollars)")
65
+ st.success(f"Predicted Sales Revenue: ${prediction:,.2f}")
66
+ else:
67
+ st.error("Invalid response format from backend. The expected key 'Predicted Sales (in dollars)' was not found.")
68
+ st.write("Full response from backend:", response_json)
69
+ else:
70
+ st.error(f"Error from backend: {response.status_code}")
71
+ st.write("Full response text:", response.text)
72
+ except requests.exceptions.RequestException as e:
73
+ st.error(f"Request failed: {e}")
74
+
75
+ # Section for batch prediction
76
+ st.subheader("Batch Prediction (Upload CSV)")
77
+
78
+ uploaded_file = st.file_uploader("Upload a CSV file with multiple product-store entries", type=["csv"])
79
+
80
+ if uploaded_file is not None and st.button("Predict Batch"):
81
+ try:
82
+ response = requests.post(
83
+ "https://nsa9-ProductStoreSalesBackend.hf.space/v1/forecastbatch", # Flask backend batch endpoint
84
+ files={"file": uploaded_file}
85
+ )
86
+ if response.status_code == 200:
87
+ predictions = response.json()
88
+ st.success("Batch predictions completed!")
89
+ st.write(pd.DataFrame(predictions, index=["Predicted Sales"])) # Display nicely as a table
90
+ else:
91
+ st.error(f"Error from backend: {response.status_code}")
92
+ except Exception as e:
93
+ st.error(f"Batch request failed: {e}")
requirements.txt CHANGED
@@ -1,3 +1,3 @@
1
- altair
2
- pandas
3
- streamlit
 
1
+ pandas==2.2.2
2
+ requests==2.28.1
3
+ streamlit==1.43.2