Spaces:
Sleeping
Sleeping
File size: 13,380 Bytes
a993130 b668c76 895a26e b668c76 59e1882 b668c76 a993130 b668c76 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 | import streamlit as st
import pandas as pd
import numpy as np
import joblib
import plotly.express as px
# Streamlit Page Configuration
st.set_page_config(page_title="Crop Recommendation App", layout="centered")
# Custom CSS Styling
st.markdown("""
<style>
.main-title {
text-align: center;
font-size: 40px;
font-weight: bold;
color: #2e8b57;
}
.sub-title {
text-align: center;
font-size: 18px;
color: #555;
}
.stButton>button {
background-color: #2e8b57;
color: white;
border-radius: 10px;
font-weight: bold;
font-size: 16px;
}
.stButton>button:hover {
background-color: #1e683d;
}
.stNumberInput>div>input {
border-radius: 10px;
}
</style>
""", unsafe_allow_html=True)
# Sidebar navigation
st.sidebar.title("Navigation")
app_mode = st.sidebar.radio("Go to", ["Introduction", "EDA", "Predict"])
# Load dataset
df = pd.read_csv("src/Crop_recommendation.csv")
# Page logic
# Overview Page
if app_mode == "Introduction":
st.title("πΎ Crop Recommendation System")
st.markdown("""
### π Project Overview
This intelligent system analyzes environmental and soil conditions to recommend the most suitable crop for cultivation using machine learning.
---
### π― Objective
To assist farmers and agriculture planners by identifying the most appropriate crop based on real-time agro-climatic conditions, improving yield and sustainability.
---
### π Dataset Information
| π Total Records | π Total Features | πΏ Target Crops |
|------------------|-------------------|-----------------|
| 2200 | 7 | 22 |
""")
st.subheader("π Dataset Preview")
st.dataframe(df.head())
st.markdown("""
### π Sample Data Insights
**π― Target Variable:**
- `Crop`: Represents the most suitable crop for given soil and climate parameters.
**𧬠Input Features:**
- **π± Soil Nutrients:**
- Nitrogen (N), Phosphorus (P), Potassium (K)
- **π‘οΈ Climate Metrics:**
- Temperature (Β°C), Humidity (%), Rainfall (mm)
- **π§ͺ Soil Acidity:**
- pH value
---
### π― Project Goals
- π Understand how environmental factors affect crop selection.
- πΎ Provide intelligent crop recommendations to boost farming efficiency.
- π§ Enable data-driven decision-making in agriculture through predictive modeling.
---
### βοΈ Model Used
- β
**Algorithm:** Random Forest Classifier
- π’ **Preprocessing:** StandardScaler for feature scaling
- π·οΈ **Encoding:** LabelEncoder for converting crop labels to numerical format
- π **Output:** Most suitable crop + top 5 crop probabilities
- π§ͺ **Performance:** High accuracy with generalizability across varied conditions
This model learns from environmental and soil parameters and predicts the crop that has historically performed best under similar conditions.
""")
# Optional: Explanation of Random Forest
with st.expander("π What is a Random Forest?"):
st.markdown("""
A **Random Forest** is an ensemble learning technique that builds multiple decision trees and merges them to get a more accurate and stable prediction.
It handles both classification and regression problems and reduces overfitting compared to a single decision tree.
""")
# Model Performance
st.subheader("π Model Performance")
st.markdown("""
- **Accuracy:** 98.5%
- **Evaluation:** Cross-Validation (5-fold)
- **Metrics Used:** Accuracy, Precision, Recall, F1-score
""")
elif app_mode == "EDA":
import seaborn as sns
import matplotlib.pyplot as plt
st.title("π Exploratory Data Analysis")
st.markdown("Explore the dataset using interactive dropdowns and visual insights.")
numeric_cols = df.select_dtypes(include='number').columns.tolist()
# ------------------- 1. Summary Statistics -------------------
with st.expander("π Summary Statistics"):
st.markdown("""
Understanding central tendencies, spread, and other statistical properties of each numerical feature.
""")
st.dataframe(df.describe())
# ------------------- 2. Unique Value Count -------------------
with st.expander("π Unique Value Count per Column"):
st.markdown("Helpful for identifying categorical diversity and duplicate values.")
st.dataframe(df.nunique())
# ------------------- 3. Feature Distributions -------------------
with st.expander("π Feature Distribution (Histogram + KDE)"):
st.markdown("""
### π Why This Matters:
- Helps visualize the spread and skew of numeric data.
- Detects potential outliers and unusual distributions.
- Useful for understanding normalization needs before ML modeling.
""")
mode = st.radio("Choose mode", ["All Features", "Single Feature"], horizontal=True)
if mode == "Single Feature":
selected_col = st.selectbox("Select feature", numeric_cols)
bins = st.slider("Bins", 5, 50, 30)
fig, ax = plt.subplots()
sns.histplot(df[selected_col], kde=True, bins=bins, color='seagreen', edgecolor='black', ax=ax)
ax.set_title(f"Distribution of {selected_col}")
ax.grid(True)
st.pyplot(fig)
elif mode == "All Features":
cols = st.slider("Columns in grid", 2, 4, 3)
rows = -(-len(numeric_cols) // cols)
fig, axes = plt.subplots(rows, cols, figsize=(5 * cols, 4 * rows))
axes = axes.flatten()
for i, col in enumerate(numeric_cols):
sns.histplot(df[col], kde=True, bins=30, color='seagreen', edgecolor='black', ax=axes[i])
axes[i].set_title(col)
axes[i].grid(True)
for j in range(i + 1, len(axes)):
fig.delaxes(axes[j])
plt.tight_layout()
st.pyplot(fig)
# ------------------- 4. Outlier Detection (Boxplots) -------------------
with st.expander("π¦ Outlier Detection using Boxplots"):
st.markdown("""
### π Why This Matters:
- Boxplots help identify outliers using the IQR method.
- Useful for data cleaning and feature scaling decisions.
""")
mode = st.radio("Choose mode", ["All Features", "Single Feature"], horizontal=True, key="box_mode")
if mode == "Single Feature":
selected_col = st.selectbox("Select feature", numeric_cols, key="box_feature")
fig, ax = plt.subplots()
sns.boxplot(y=df[selected_col], color='lightblue', ax=ax)
ax.set_title(f"Boxplot of {selected_col}")
st.pyplot(fig)
elif mode == "All Features":
cols = st.slider("Columns in grid", 2, 4, 3, key="box_col_slider")
rows = -(-len(numeric_cols) // cols)
fig, axes = plt.subplots(rows, cols, figsize=(5 * cols, 4 * rows))
axes = axes.flatten()
for i, col in enumerate(numeric_cols):
sns.boxplot(y=df[col], color='lightblue', ax=axes[i])
axes[i].set_title(col)
for j in range(i + 1, len(axes)):
fig.delaxes(axes[j])
plt.tight_layout()
st.pyplot(fig)
# ------------------- 5. Correlation Heatmap -------------------
with st.expander("π§© Correlation Heatmap"):
st.markdown("""
### π What We'll Use:
- **Heatmap of correlation matrix** β to visualize the strength and direction of linear relationships.
### π Why This Matters:
- Shows **multicollinearity** β features that are highly correlated with each other.
- Helps identify **important predictors** or **redundant features**.
""")
corr = df[numeric_cols].corr()
fig, ax = plt.subplots(figsize=(10, 6))
sns.heatmap(corr, annot=True, cmap='coolwarm', fmt=".2f", linewidths=0.5, ax=ax)
ax.set_title("π Correlation Matrix")
st.pyplot(fig)
# ------------------- 6. Grouped Feature Means by Crop -------------------
with st.expander("πΎ Grouped Feature Averages by Crop"):
st.markdown("""
Shows the average value of each numerical feature per crop type.
Useful to understand how each crop prefers different ranges of features like temperature or pH.
""")
crop_means = df.groupby("label")[numeric_cols].mean().sort_index()
st.dataframe(crop_means.style.background_gradient(cmap="YlGnBu"))
# ------------------- 7. Pairplot -------------------
with st.expander("π Pairwise Feature Relationships (Pairplot)"):
st.markdown("""
### π What We'll Use:
- **Pairplot** β a grid of scatterplots showing relationships between selected features.
### π Why This is Useful:
- Helps detect **natural groupings** or **visual separability** between crops.
- Shows **linear and non-linear** relationships.
- Aids in **feature selection** for classification tasks.
""")
selected = st.multiselect("Choose 2β4 features", numeric_cols, default=["temperature", "humidity", "ph", "rainfall"])
if 2 <= len(selected) <= 4:
sample_df = df.sample(n=min(500, len(df)), random_state=42)
fig = sns.pairplot(sample_df[selected + ['label']], hue='label', diag_kind='kde', palette='tab20')
st.pyplot(fig)
else:
st.warning("Select at least 2 and at most 4 features.")
# ------------------- 8. Crop Count Distribution -------------------
with st.expander("π± Crop Distribution Count"):
st.markdown("""
Shows the number of records per crop label.
Useful to detect class imbalance in classification problems.
""")
crop_counts = df['label'].value_counts()
st.bar_chart(crop_counts)
# Prediction Page
elif app_mode == "Predict":
st.title("πΎ Intelligent Crop Predictor")
# Load model, scaler, and label encoder
model = joblib.load("src/crop_recommendation_model.pkl")
scaler = joblib.load("src/scaler.pkl")
label_encoder = joblib.load("src/label_encoder.pkl")
# Emoji map
crop_emojis = {
"rice": "πΎ", "maize": "π½", "chickpea": "π₯£", "kidneybeans": "π«",
"pigeonpeas": "π€", "mothbeans": "π₯¬", "mungbean": "πΏ", "blackgram": "π€",
"lentil": "π²", "pomegranate": "π", "banana": "π", "mango": "π₯",
"grapes": "π", "watermelon": "π", "muskmelon": "π", "apple": "π",
"orange": "π", "papaya": "π", "coconut": "π₯₯", "cotton": "π§΅",
"jute": "πͺ’", "coffee": "β"
}
st.markdown("## π₯ Soil Nutrients")
col1, col2, col3 = st.columns(3)
N = col1.number_input("Nitrogen (N)", min_value=0, max_value=140, value=60, step=1, help="Nitrogen level in the soil (0β140 ppm)")
P = col2.number_input("Phosphorous (P)", min_value=0, max_value=145, value=45, step=1, help="Phosphorous level in the soil (0β145 ppm)")
K = col3.number_input("Potassium (K)", min_value=0, max_value=205, value=50, step=1, help="Potassium level in the soil (0β205 ppm)")
st.markdown("## π‘οΈ Climate Conditions")
col1, col2, col3 = st.columns(3)
temperature = col1.number_input("Temperature (Β°C)", min_value=0.0, max_value=50.0, value=25.0, step=1.0, help="Average temperature of the region (0β50Β°C)")
humidity = col2.number_input("Humidity (%)", min_value=10.0, max_value=100.0, value=60.0, step=1.0, help="Relative humidity percentage (10β100%)")
rainfall = col3.number_input("Rainfall (mm)", min_value=0.0, max_value=300.0, value=100.0, step=1.0, help="Expected rainfall in millimeters (0β300 mm)")
st.markdown("## π§ͺ Soil Acidity")
ph = st.number_input("Soil pH", min_value=3.0, max_value=10.0, value=6.5, step=0.1, help="Soil pH value (3.0β10.0), where 7 is neutral")
st.markdown("---")
if st.button("πΏ Recommend Best Crop"):
input_data = [[N, P, K, temperature, humidity, ph, rainfall]]
input_scaled = scaler.transform(input_data)
prediction_encoded = model.predict(input_scaled)[0]
crop_name = label_encoder.inverse_transform([prediction_encoded])[0]
emoji = crop_emojis.get(crop_name.lower(), "π±")
st.success(f"### β
Recommended Crop: {emoji} **{crop_name.upper()}**")
# Top 5 predictions
if hasattr(model, "predict_proba"):
probs = model.predict_proba(input_scaled)[0]
labels_decoded = label_encoder.inverse_transform(np.arange(len(probs)))
prob_df = pd.DataFrame({'Crop': labels_decoded, 'Probability': probs})
prob_df_sorted = prob_df.sort_values(by='Probability', ascending=False).head(5)
prob_df_sorted.index = np.arange(1, len(prob_df_sorted) + 1) # 1-based index
st.subheader("π Top 5 Most Suitable Crops")
st.dataframe(prob_df_sorted.style.bar(subset=["Probability"], color='lightgreen'))
|