Spaces:
Sleeping
Sleeping
File size: 11,575 Bytes
0b8a486 a90761c 6221bef a90761c 0b8a486 6221bef 5c5f495 6221bef 2064073 a90761c 5c5f495 6221bef a90761c 6221bef a90761c 6221bef 5c5f495 a90761c 6221bef 5c5f495 a90761c 6221bef a90761c 6221bef 5c5f495 2064073 6221bef 2064073 a90761c 2064073 a90761c 6221bef 2064073 6221bef 5c5f495 6221bef 5c5f495 2064073 5c5f495 6221bef 2064073 6221bef |
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 gradio as gr
import datetime
from typing import Dict, List, Union, Optional
import random
from huggingface_hub import InferenceClient
import logging
import json
# Set up logging
logging.basicConfig(
level=logging.INFO,
format='%(asctime)s - %(levelname)s - %(message)s'
)
logger = logging.getLogger(__name__)
class TravelPlanner:
def __init__(self):
self.accommodation_types = {
'luxury': (200, 500),
'mid_range': (100, 200),
'budget': (50, 100),
'hostel': (20, 50)
}
self.activity_costs = {
'sightseeing': (20, 50),
'museum': (15, 25),
'adventure_sport': (50, 200),
'local_tour': (30, 80),
'cultural_experience': (25, 60)
}
self.meal_costs = {
'luxury': (50, 100),
'mid_range': (20, 50),
'budget': (10, 20),
'street_food': (5, 10)
}
def validate_inputs(self,
destination: str,
num_days: int,
budget_level: str,
num_people: int) -> tuple[bool, str]:
"""
Validate input parameters
"""
if not destination or len(destination.strip()) == 0:
return False, "Destination cannot be empty"
if num_days < 1 or num_days > 30:
return False, "Number of days must be between 1 and 30"
if budget_level not in self.accommodation_types:
return False, f"Budget level must be one of: {', '.join(self.accommodation_types.keys())}"
if num_people < 1 or num_people > 10:
return False, "Number of people must be between 1 and 10"
return True, ""
def generate_itinerary(self,
destination: str,
num_days: int,
budget_level: str) -> List[Dict]:
"""
Generate a daily itinerary based on destination and budget level
"""
try:
activities = [
'Morning sightseeing',
'Museum visit',
'Local market tour',
'Cultural workshop',
'Historical site visit',
'Nature walk',
'Local neighborhood exploration',
'Evening entertainment'
]
itinerary = []
for day in range(1, num_days + 1):
# Ensure no duplicate activities in same day
day_activities = random.sample(activities, 3)
daily_schedule = {
'day': day,
'morning': day_activities[0],
'afternoon': day_activities[1],
'evening': day_activities[2],
'accommodation': f"{budget_level} accommodation"
}
itinerary.append(daily_schedule)
return itinerary
except Exception as e:
logger.error(f"Error generating itinerary: {str(e)}")
raise
def calculate_budget(self,
num_days: int,
budget_level: str,
num_people: int) -> Dict:
"""
Calculate estimated budget based on duration and comfort level
"""
try:
accommodation_range = self.accommodation_types[budget_level]
meal_range = self.meal_costs[budget_level]
# Use median values for more stable estimates
daily_accommodation = sum(accommodation_range) / 2
daily_meals = (sum(meal_range) / 2) * 3 # 3 meals per day
daily_activities = 65 # Median activity cost
daily_transport = 30 # Median transport cost
total_accommodation = daily_accommodation * num_days
total_meals = daily_meals * num_days * num_people
total_activities = daily_activities * num_days * num_people
total_transport = daily_transport * num_days * num_people
# Add 15% buffer for unexpected expenses
subtotal = total_accommodation + total_meals + total_activities + total_transport
buffer = subtotal * 0.15
total_cost = subtotal + buffer
return {
'accommodation': round(total_accommodation, 2),
'meals': round(total_meals, 2),
'activities': round(total_activities, 2),
'transport': round(total_transport, 2),
'buffer': round(buffer, 2),
'total': round(total_cost, 2),
'per_person': round(total_cost / num_people, 2)
}
except Exception as e:
logger.error(f"Error calculating budget: {str(e)}")
raise
def format_output(self,
destination: str,
itinerary: List[Dict],
budget: Dict) -> str:
"""
Format the itinerary and budget into a readable string
"""
try:
output = [f"π Travel Plan for {destination}", ""]
output.append("ποΈ ITINERARY")
output.append("=" * 20)
for day in itinerary:
output.extend([
f"Day {day['day']}:",
f"π
Morning: {day['morning']}",
f"βοΈ Afternoon: {day['afternoon']}",
f"π Evening: {day['evening']}",
f"π Accommodation: {day['accommodation']}",
""
])
output.extend([
"π° BUDGET BREAKDOWN",
"=" * 20,
f"π¨ Accommodation: ${budget['accommodation']:,.2f}",
f"π½οΈ Meals: ${budget['meals']:,.2f}",
f"π« Activities: ${budget['activities']:,.2f}",
f"π Local Transport: ${budget['transport']:,.2f}",
f"β οΈ Buffer (15%): ${budget['buffer']:,.2f}",
"=" * 20,
f"π΅ Total Cost: ${budget['total']:,.2f}",
f"π₯ Cost per person: ${budget['per_person']:,.2f}"
])
return "\n".join(output)
except Exception as e:
logger.error(f"Error formatting output: {str(e)}")
return "Error formatting travel plan. Please try again."
def parse_travel_request(message: str) -> Optional[Dict]:
"""
Parse travel request message and extract parameters
"""
try:
message = message.lower()
if "plan a trip" not in message:
return None
parts = message.split()
destination_idx = parts.index("to") + 1
days_idx = parts.index("days") - 1
budget_idx = parts.index("budget") - 1
people_idx = parts.index("people") - 1
return {
"destination": parts[destination_idx].capitalize(),
"num_days": int(parts[days_idx]),
"budget_level": parts[budget_idx],
"num_people": int(parts[people_idx])
}
except (ValueError, IndexError) as e:
logger.warning(f"Error parsing travel request: {str(e)}")
return None
def respond(
message: str,
history: List[Dict[str, str]],
system_message: str,
max_tokens: int,
temperature: float,
top_p: float
) -> str:
"""
Process chat message and generate travel plan if requested
"""
try:
# Check if this is a travel planning request
travel_params = parse_travel_request(message)
if travel_params:
planner = TravelPlanner()
# Validate inputs
is_valid, error_msg = planner.validate_inputs(
travel_params["destination"],
travel_params["num_days"],
travel_params["budget_level"],
travel_params["num_people"]
)
if not is_valid:
return f"Error: {error_msg}\n\nPlease use the format: 'Plan a trip to [destination] for [X] days, [budget_level] budget, [X] people'"
try:
# Generate travel plan
itinerary = planner.generate_itinerary(
travel_params["destination"],
travel_params["num_days"],
travel_params["budget_level"]
)
budget = planner.calculate_budget(
travel_params["num_days"],
travel_params["budget_level"],
travel_params["num_people"]
)
return planner.format_output(
travel_params["destination"],
itinerary,
budget
)
except Exception as e:
logger.error(f"Error generating travel plan: {str(e)}")
return "Sorry, there was an error generating your travel plan. Please try again."
# If not a travel request, use the Hugging Face model
try:
client = InferenceClient("HuggingFaceH4/zephyr-7b-beta")
messages = [{"role": "system", "content": system_message}]
for msg in history:
if isinstance(msg, dict) and "role" in msg and "content" in msg:
messages.append(msg)
messages.append({"role": "user", "content": message})
response = ""
for token in client.chat_completion(
messages,
max_tokens=max_tokens,
stream=True,
temperature=temperature,
top_p=top_p,
):
if hasattr(token.choices[0].delta, 'content'):
response += token.choices[0].delta.content or ""
return response
except Exception as e:
logger.error(f"Error with chat model: {str(e)}")
return "I apologize, but I'm having trouble connecting to the chat service. You can still use me for travel planning by saying 'Plan a trip to [destination]...'"
except Exception as e:
logger.error(f"Unexpected error in respond function: {str(e)}")
return "An unexpected error occurred. Please try again."
# Create the Gradio interface
demo = gr.ChatInterface(
respond,
additional_inputs=[
gr.Textbox(
value="You are a travel planning assistant who can also chat about other topics.",
label="System message"
),
gr.Slider(
minimum=1,
maximum=2048,
value=512,
step=1,
label="Max new tokens"
),
gr.Slider(
minimum=0.1,
maximum=4.0,
value=0.7,
step=0.1,
label="Temperature"
),
gr.Slider(
minimum=0.1,
maximum=1.0,
value=0.95,
step=0.05,
label="Top-p (nucleus sampling)"
),
]
)
# Launch the application
if __name__ == "__main__":
try:
demo.launch()
except Exception as e:
logger.error(f"Error launching Gradio interface: {str(e)}") |