File size: 15,923 Bytes
e47e326
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
d099db4
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9cc8c18
9ed2dff
9cc8c18
 
 
 
9ed2dff
9cc8c18
 
 
 
9ed2dff
 
 
 
 
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
9cc8c18
 
 
 
 
 
 
 
e47e326
9cc8c18
9ed2dff
9cc8c18
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9ed2dff
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
import streamlit as st
import folium
from streamlit_folium import st_folium
import openrouteservice
import requests
import pandas as pd
import xgboost as xgb
import numpy as np
import os

# ==========================================
# CONFIGURATION
# ==========================================
ORS_API_KEY = "eyJvcmciOiI1YjNjZTM1OTc4NTExMTAwMDFjZjYyNDgiLCJpZCI6ImNhMzQ5ZjcwOTk2MjRlYjhhODRhMDg5NmJlNDg5Nzc2IiwiaCI6Im11cm11cjY0In0="
OCM_API_KEY = "6050848c-e5f2-4368-bdf6-af9b90b26dbe"

MODEL_PATH = os.path.join(os.path.dirname(__file__), "ev_energy_model.json")

# PITTSBURGH BOUNDING BOX
PGH_BBOX = [-80.60, 40.00, -79.30, 40.90]

# ==========================================
# 1. HELPER FUNCTIONS
# ==========================================
@st.cache_resource
def load_model():
    if os.path.exists(MODEL_PATH):
        model = xgb.XGBRegressor()
        model.load_model(MODEL_PATH)
        return model
    return None

def get_live_weather(lat, lon):
    try:
        url = "https://api.open-meteo.com/v1/forecast"
        params = {"latitude": lat, "longitude": lon, "current": "temperature_2m"}
        resp = requests.get(url, params=params, timeout=3)
        resp.raise_for_status()
        data = resp.json()
        return data['current']['temperature_2m']
    except Exception as e:
        return 20.0 

def calculate_ascent(coords):
    if not coords or len(coords[0]) < 3: return 0
    total_ascent = 0
    for i in range(1, len(coords)):
        diff = coords[i][2] - coords[i-1][2]
        if diff > 0: total_ascent += diff
    return total_ascent

def predict_energy_with_model(model, segments, weight_kg, temp_c=20):
    df = pd.DataFrame(segments)
    df['Weight_kg'] = weight_kg
    df['Ambient_Temp_C'] = temp_c  
    features = ['Speed_Smooth', 'Road_Slope_pct', 'Ambient_Temp_C', 'Weight_kg', 'Acceleration_m_s2']
    for f in features:
        if f not in df.columns: df[f] = 0
    preds = model.predict(df[features])
    return (preds * df['Duration_s']).sum() / 3600

def generate_simulated_segments(duration_sec, num_segments=10):
    segments = []
    for j in range(num_segments):
        segments.append({
            'Speed_Smooth': 60 + np.random.normal(0, 5), 
            'Road_Slope_pct': np.random.normal(0, 2),    
            'Acceleration_m_s2': 0.1 if j % 2 == 0 else -0.1,
            'Duration_s': duration_sec / num_segments
        })
    return segments

def find_nearby_charger(lat, lon):
    url = "https://api.openchargemap.io/v3/poi/"
    params = {"output": "json", "latitude": lat, "longitude": lon, "distance": 5, "maxresults": 1, "key": OCM_API_KEY}
    try:
        resp = requests.get(url, params=params, timeout=5).json()
        if resp:
            poi = resp[0]['AddressInfo']
            return {'lat': poi['Latitude'], 'lon': poi['Longitude'], 'title': poi['Title']}
    except:
        pass
    return None

# ==========================================
# 2. UI SETUP
# ==========================================
st.set_page_config(layout="wide", page_title="EV Route Optimizer")

if 'map_layers' not in st.session_state: st.session_state.map_layers = []
if 'best_route_stats' not in st.session_state: st.session_state.best_route_stats = None
if 'run_error' not in st.session_state: st.session_state.run_error = None # Track errors

# ==========================================
# 3. SIDEBAR
# ==========================================
with st.sidebar:
    st.title("⚑ AI-Powered EV Route Optimizer")
    st.markdown("---")
    
    st.header("πŸš— Vehicle Settings")
    battery_cap = st.number_input("Battery Capacity (kWh)", value=60)
    current_charge = st.slider("Current Charge (%)", 0, 100, 80)
    weight_kg = st.number_input("Vehicle Weight (kg)", value=1800)
    efficiency_rated = st.number_input("Rated Efficiency (kWh/km)", value=0.18, step=0.01)
    
    st.markdown("---")
    st.header("πŸ“ Route Settings")
    start_loc = st.text_input("Start Location", "Carnegie Mellon University")
    end_loc = st.text_input("Destination", "Benedum Center")
    n_routes = st.slider("Check N Routes", 1, 3, 2)
    
    run_btn = st.button("πŸš€ Optimize Route", type="primary")

# ==========================================
# 4. MAIN LOGIC
# ==========================================
if run_btn:
    model = load_model()
    st.session_state.map_layers = []
    st.session_state.best_route_stats = None
    st.session_state.run_error = None # Reset error state

    if not model:
        st.session_state.run_error = "Model not found! Please run 'train_model.py' first."
    else:
        with st.status("Thinking...", expanded=True) as status:
            try:
                client = openrouteservice.Client(key=ORS_API_KEY)
                
                # 1. Geocode
                status.write("Geocoding addresses...")
                search_start = start_loc if "Pittsburgh" in start_loc else f"{start_loc}, Pittsburgh, PA"
                search_end = end_loc if "Pittsburgh" in end_loc else f"{end_loc}, Pittsburgh, PA"
                
                start_geo = client.pelias_search(text=search_start, rect_min_x=PGH_BBOX[0], rect_min_y=PGH_BBOX[1], rect_max_x=PGH_BBOX[2], rect_max_y=PGH_BBOX[3])['features'][0]
                end_geo = client.pelias_search(text=search_end, rect_min_x=PGH_BBOX[0], rect_min_y=PGH_BBOX[1], rect_max_x=PGH_BBOX[2], rect_max_y=PGH_BBOX[3])['features'][0]
                
                start_coords = start_geo['geometry']['coordinates']
                end_coords = end_geo['geometry']['coordinates']
                st.info(f"Route: {start_geo['properties']['label']} ➝ {end_geo['properties']['label']}")

                status.write("Fetching live weather data...")
                current_temp = get_live_weather(start_coords[1], start_coords[0])
                st.caption(f"Current Temperature: **{current_temp}Β°C** (Used for battery physics)")
                
                # 2. Get Routes
                status.write(f"Fetching alternatives...")
                try:
                    routes = client.directions(
                        coordinates=[start_coords, end_coords],
                        profile='driving-car', format='geojson',
                        elevation=True, alternative_routes={"target_count": n_routes}
                    )
                except:
                    status.write("Switching to Single Route...")
                    routes = client.directions(
                        coordinates=[start_coords, end_coords],
                        profile='driving-car', format='geojson', elevation=True
                    )
                
                # 3. Analyze Routes
                status.write("Running XGBoost Physics Model...")
                candidates = []
                best_route = None
                min_energy = float('inf')
                
                features = routes['features']
                for i, r in enumerate(features):
                    summary = r['properties']['summary']
                    dist_km = summary['distance'] / 1000
                    duration_s = summary['duration']
                    coords = r['geometry']['coordinates']
                    ascent = calculate_ascent(coords)
                    
                    segments = generate_simulated_segments(duration_s)
                    pred_kwh = predict_energy_with_model(model, segments, weight_kg, temp_c=current_temp)
                    rated_kwh = dist_km * efficiency_rated
                    
                    candidates.append({
                        'id': i, 'kwh': pred_kwh, 'rated_kwh': rated_kwh,
                        'dist': dist_km, 'time_min': duration_s/60,
                        'ascent': ascent, 'geo': r, 'coords': coords, 'temp': current_temp 
                    })
                    
                    if pred_kwh < min_energy:
                        min_energy = pred_kwh
                        best_route = candidates[-1]

                st.session_state.best_route_stats = best_route
                
                # 4. Feasibility
                current_kwh = (current_charge / 100) * battery_cap
                needed_kwh = best_route['kwh']
                
                # Pins
                st.session_state.map_layers.append({'marker': [start_coords[1], start_coords[0]], 'title': "Start", 'icon': 'play', 'color': 'green'})
                st.session_state.map_layers.append({'marker': [end_coords[1], end_coords[0]], 'title': "Destination", 'icon': 'flag', 'color': 'red'})

                if current_kwh > needed_kwh:
                    # SCENARIO A: Direct
                    st.session_state.map_layers.append({
                        'geo': best_route['geo'],
                        'style': {'color': 'blue', 'weight': 5},
                        'popup': f"Best Route: {best_route['dist']:.1f} km"
                    })
                else:
                    # SCENARIO B: Charging
                    mid_idx = len(best_route['coords']) // 2
                    mid_coords = best_route['coords'][mid_idx]
                    charger = find_nearby_charger(mid_coords[1], mid_coords[0])
                    
                    if charger:
                        leg1 = client.directions(coordinates=[start_coords, [charger['lon'], charger['lat']]], profile='driving-car', format='geojson', elevation=True)
                        leg2 = client.directions(coordinates=[[charger['lon'], charger['lat']], end_coords], profile='driving-car', format='geojson', elevation=True)
                        
                        leg1_sum = leg1['features'][0]['properties']['summary']
                        leg2_sum = leg2['features'][0]['properties']['summary']
                        
                        leg1_kwh = predict_energy_with_model(model, generate_simulated_segments(leg1_sum['duration']), weight_kg, temp_c=current_temp)
                        leg2_kwh = predict_energy_with_model(model, generate_simulated_segments(leg2_sum['duration']), weight_kg, temp_c=current_temp)
                        
                        arrival_at_charger_kwh = current_kwh - leg1_kwh

                        # πŸ›‘ CRITICAL FIX: Check if we can make it to charger
                        if arrival_at_charger_kwh <= 0:
                            st.session_state.run_error = "⚠️ CRITICAL: Battery too low to reach the nearest charger! Please charge before starting."
                            st.session_state.best_route_stats = None # Hide stats
                            st.session_state.map_layers = [] # Hide route (unsafe)
                        else:
                            # Proceed safely
                            l1_ascent = calculate_ascent(leg1['features'][0]['geometry']['coordinates'])
                            l2_ascent = calculate_ascent(leg2['features'][0]['geometry']['coordinates'])
                            total_ascent = l1_ascent + l2_ascent
                            
                            target_charge_kwh = battery_cap * 0.8
                            kwh_added = target_charge_kwh - arrival_at_charger_kwh
                            arrival_soc_dest = (((battery_cap * 0.8) - leg2_kwh) / battery_cap) * 100
                            
                            best_route['charger'] = charger
                            best_route['ascent'] = total_ascent
                            best_route['leg1'] = {'dist': leg1_sum['distance']/1000, 'time': leg1_sum['duration']/60, 'kwh': leg1_kwh, 'soc': (arrival_at_charger_kwh/battery_cap)*100}
                            best_route['leg2'] = {'dist': leg2_sum['distance']/1000, 'time': leg2_sum['duration']/60, 'kwh': leg2_kwh, 'soc': arrival_soc_dest}
                            best_route['charge_metrics'] = {'added': kwh_added, 'cost': kwh_added * 0.45, 'time': 30}
                            
                            st.session_state.map_layers.append({'geo': leg1, 'style': {'color': 'red', 'weight': 4, 'dashArray': '5, 5'}, 'popup': "Leg 1"})
                            st.session_state.map_layers.append({'geo': leg2, 'style': {'color': 'blue', 'weight': 4}, 'popup': "Leg 2"})
                            st.session_state.map_layers.append({'marker': [charger['lat'], charger['lon']], 'title': charger['title'], 'icon': 'bolt', 'color': 'orange'})
                    else:
                         st.session_state.run_error = "No Chargers found near the route!"
                
                status.update(label="Optimization Complete!", state="complete", expanded=False)

            except Exception as e:
                st.session_state.run_error = f"Error: {e}"

# ==========================================
# 5. RENDERER
# ==========================================

# Display Errors Here (Outside the status box so they are visible)
if st.session_state.run_error:
    st.error(st.session_state.run_error)

m = folium.Map(location=[40.4406, -79.9959], zoom_start=12)
for layer in st.session_state.map_layers:
    if 'geo' in layer: folium.GeoJson(layer['geo'], style_function=lambda x, style=layer['style']: style).add_to(m)
    if 'marker' in layer: folium.Marker(layer['marker'], popup=layer['title'], icon=folium.Icon(color=layer['color'], icon=layer['icon'])).add_to(m)

st_folium(m, width="100%", height=600)

if st.session_state.best_route_stats:
    stats = st.session_state.best_route_stats
    current_kwh = (current_charge / 100) * battery_cap
    needed_kwh = stats['kwh']
    
    st.subheader("πŸ“Š Optimization Results")
    st.markdown(f"**Conditions:** {stats['temp']}Β°C Ambient Temperature")

    diff = stats['rated_kwh'] - stats['kwh']
    if diff > 0:
        st.success(f"πŸ’‘ Physics Insight: AI predicts this route is more efficient than rated! (Saved {diff:.2f} kWh)")
    else:
        st.info(f"πŸ’‘ Physics Insight: AI predicts {abs(diff):.2f} kWh extra usage due to hills/traffic/temp.")

    if current_kwh > needed_kwh:
        # SCENARIO A: Direct
        st.success("βœ… Direct Route Feasible")
        st.markdown("### 🏁 Full Trip Summary")
        c1, c2, c3, c4, c5 = st.columns(5)
        c1.metric("Total Distance", f"{stats['dist']:.1f} km")
        c2.metric("Total Time", f"{stats['time_min']:.0f} min")
        c3.metric("Elevation Gain", f"{stats['ascent']:.0f} m")
        c4.metric("Est. Cost", "$0.00")
        c5.metric("Arrival Charge", f"{((current_kwh - needed_kwh)/battery_cap)*100:.1f}%")

    elif 'charger' in stats:
        # SCENARIO B: Charging
        st.warning(f"πŸ›‘ Charging Required at: {stats['charger']['title']}")
        c1, c2, c3 = st.columns(3)
        with c1:
            st.markdown("#### 1️⃣ Start ➝ Charger")
            st.metric("Distance", f"{stats['leg1']['dist']:.1f} km")
            st.metric("Time", f"{stats['leg1']['time']:.0f} min")
            st.metric("Arrival Charge", f"{stats['leg1']['soc']:.1f}%")
        with c2:
            st.markdown("#### ⚑ Charging Stop")
            st.info("Charge to 80%")
            st.metric("Added Energy", f"+{stats['charge_metrics']['added']:.1f} kWh")
        with c3:
            st.markdown("#### 2️⃣ Charger ➝ Dest")
            st.metric("Distance", f"{stats['leg2']['dist']:.1f} km")
            st.metric("Time", f"{stats['leg2']['time']:.0f} min")
            st.metric("Final Charge", f"{stats['leg2']['soc']:.1f}%")
            
        st.divider()
        st.subheader("🏁 Full Trip Summary")
        total_dist = stats['leg1']['dist'] + stats['leg2']['dist']
        total_time = stats['leg1']['time'] + stats['charge_metrics']['time'] + stats['leg2']['time']
        sc1, sc2, sc3, sc4 = st.columns(4)
        sc1.metric("Total Distance", f"{total_dist:.1f} km")
        sc2.metric("Total Time", f"{total_time:.0f} min")
        sc3.metric("Elevation Gain", f"{stats['ascent']:.0f} m")
        sc4.metric("Est. Cost", f"${stats['charge_metrics']['cost']:.2f}")