Spaces:
Sleeping
Sleeping
File size: 17,098 Bytes
afae4ea 191a1bb afae4ea 191a1bb | 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 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 | import streamlit as st
import requests
import pandas as pd
from together import Together
import os
# =============================================================================
# CONFIGURATION - Using Secrets Management
# =============================================================================
NOCODB_URL = "https://app.nocodb.com" # Base URL
# Get sensitive data from Streamlit secrets or environment variables
def get_api_credentials():
"""Get API credentials from secrets or environment"""
try:
# Try Streamlit secrets first (for Hugging Face Spaces)
api_token = st.secrets.get("NOCODB_API_TOKEN", os.environ.get("NOCODB_API_TOKEN", ""))
together_key = st.secrets.get("TOGETHER_API_KEY", os.environ.get("TOGETHER_API_KEY", ""))
endpoint_path = st.secrets.get("NOCODB_ENDPOINT_PATH", os.environ.get("NOCODB_ENDPOINT_PATH", ""))
return api_token, together_key, endpoint_path
except:
# Fallback to environment variables
api_token = os.environ.get("NOCODB_API_TOKEN", "")
together_key = os.environ.get("TOGETHER_API_KEY", "")
endpoint_path = os.environ.get("NOCODB_ENDPOINT_PATH", "")
return api_token, together_key, endpoint_path
# Initialize Together AI client
@st.cache_resource
def get_ai_client():
"""Initialize Together AI client"""
_, together_key, _ = get_api_credentials()
if not together_key:
st.error("Together AI API key not found. Please configure it in the secrets.")
return None
return Together(api_key=together_key)
# =============================================================================
# HELPER FUNCTIONS
# =============================================================================
def safe_int(value, default=0):
"""Safely convert value to integer"""
try:
return int(float(value)) if value else default
except (ValueError, TypeError):
return default
def safe_float(value, default=0.0):
"""Safely convert value to float"""
try:
return float(value) if value else default
except (ValueError, TypeError):
return default
@st.cache_data(ttl=300) # Cache for 5 minutes
def get_properties():
"""Fetch properties from NocoDB"""
api_token, _, endpoint_path = get_api_credentials()
if not api_token or not endpoint_path:
st.error("NocoDB credentials not configured. Please set up your secrets.")
return []
headers = {"xc-token": api_token}
try:
response = requests.get(
f"{NOCODB_URL}{endpoint_path}?limit=1000", # Get more records
headers=headers
)
if response.status_code == 200:
data = response.json()
return data.get('list', [])
else:
st.error(f"Failed to fetch data: {response.status_code}")
return []
except Exception as e:
st.error(f"Error connecting to database: {e}")
return []
def filter_properties(properties, filters):
"""Apply filters to properties list"""
filtered = []
for prop in properties:
# Price filter
price = safe_int(prop.get('cash_price'))
if price > filters['max_price']:
continue
# Rooms filter
rooms = safe_int(prop.get('rooms'))
if rooms < filters['min_rooms']:
continue
# Energy rating filter
if filters['energy_ratings'] and prop.get('energy_rating') not in filters['energy_ratings']:
continue
# City filter
if filters['cities'] and prop.get('city') not in filters['cities']:
continue
filtered.append(prop)
return filtered
def create_property_context(properties):
"""Create context string about current properties for AI"""
if not properties:
return "No properties match the current filters."
total = len(properties)
prices = [safe_int(p.get('cash_price')) for p in properties if safe_int(p.get('cash_price')) > 0]
if prices:
avg_price = sum(prices) / len(prices)
min_price = min(prices)
max_price = max(prices)
context = f"""Currently showing {total} Danish villas.
Price range: {min_price:,} - {max_price:,} DKK.
Average price: {avg_price:,.0f} DKK. """
else:
context = f"Currently showing {total} Danish villas. "
# Add some location info
cities = list(set([p.get('city', 'Unknown') for p in properties[:10]]))
if cities:
context += f"Cities include: {', '.join(cities[:5])}. "
return context
def get_ai_response(client, question, context, model_name):
"""Get response from Together AI"""
try:
# Create a comprehensive prompt
prompt = f"""You are a helpful Danish real estate assistant. Based on the current property data, please answer the user's question accurately and helpfully.
Current Property Data Context:
{context}
User Question: {question}
Please provide a helpful, accurate response based on the data provided. Keep your answer concise but informative."""
response = client.chat.completions.create(
model=model_name,
messages=[
{"role": "system", "content": "You are a helpful Danish real estate assistant with expertise in property analysis and market insights."},
{"role": "user", "content": prompt}
],
max_tokens=300,
temperature=0.7,
)
return response.choices[0].message.content
except Exception as e:
raise Exception(f"Together AI Error: {str(e)}")
def test_together_models():
"""Test different Together AI models"""
# Include both Gemma and other reliable serverless models
models_to_test = [
# Gemma models (Google's lightweight models)
"google/gemma-2b-it",
# Other reliable models
"mistralai/Mistral-7B-Instruct-v0.1",
"NousResearch/Nous-Hermes-2-Mixtral-8x7B-DPO",
"mistralai/Mixtral-8x7B-Instruct-v0.1"
]
results = {}
client = get_ai_client()
if not client:
return {"error": "Could not initialize AI client"}
for model_name in models_to_test:
try:
test_response = client.chat.completions.create(
model=model_name,
messages=[
{"role": "system", "content": "You are a helpful assistant."},
{"role": "user", "content": "Hello, can you help me analyze real estate data?"}
],
max_tokens=50,
temperature=0.7,
)
results[model_name] = {
"status": "β
Success",
"response": test_response.choices[0].message.content[:100]
}
except Exception as e:
results[model_name] = {"status": "β Error", "response": str(e)[:100]}
return results
# =============================================================================
# MAIN APP
# =============================================================================
def main():
# Page config
st.set_page_config(
page_title="Danish Villa Assistant",
page_icon="π‘",
layout="wide"
)
# Header
st.title("π‘ Danish Villa Assistant")
st.write("Explore Danish villas with AI-powered insights using Together AI!")
# Check API credentials
api_token, together_key, endpoint_path = get_api_credentials()
if not together_key:
st.error("β οΈ Together AI API key not configured!")
st.info("Please set your TOGETHER_API_KEY in the Hugging Face Spaces secrets.")
st.stop()
if not api_token or not endpoint_path:
st.error("β οΈ NocoDB credentials not configured!")
st.info("Please set NOCODB_API_TOKEN and NOCODB_ENDPOINT_PATH in the Hugging Face Spaces secrets.")
st.stop()
# Add model testing section
with st.expander("π§ͺ Test Together AI Models (for debugging)"):
if st.button("Test Different Models"):
with st.spinner("Testing models..."):
test_results = test_together_models()
for model, result in test_results.items():
st.write(f"**{model}:** {result['status']}")
if result['status'] == "β
Success":
st.success(f"Response preview: {result['response']}")
else:
st.error(f"Error: {result['response']}")
# Initialize AI client
try:
client = get_ai_client()
if not client:
st.stop()
except Exception as e:
st.error(f"Failed to initialize Together AI client: {e}")
st.stop()
# Sidebar filters
st.sidebar.header("π Filter Properties")
# Get all properties first to populate filter options
with st.spinner("Loading properties..."):
all_properties = get_properties()
if not all_properties:
st.error("Could not load properties. Please check your NocoDB connection.")
st.stop()
# Extract unique values for filters
all_cities = sorted(list(set([p.get('city', 'Unknown') for p in all_properties if p.get('city')])))
all_energy_ratings = sorted(list(set([p.get('energy_rating') for p in all_properties if p.get('energy_rating')])))
# Sidebar filter controls
max_price = st.sidebar.slider(
"Maximum Price (DKK)",
min_value=0,
max_value=20000000,
value=10000000,
step=500000,
format="%d"
)
min_rooms = st.sidebar.slider(
"Minimum Rooms",
min_value=1,
max_value=15,
value=3
)
selected_cities = st.sidebar.multiselect(
"Cities",
options=all_cities,
default=[]
)
selected_energy_ratings = st.sidebar.multiselect(
"Energy Ratings",
options=all_energy_ratings,
default=[]
)
# Create filter dictionary
filters = {
'max_price': max_price,
'min_rooms': min_rooms,
'cities': selected_cities,
'energy_ratings': selected_energy_ratings
}
# Apply filters
filtered_properties = filter_properties(all_properties, filters)
# Main content area
col1, col2 = st.columns([2, 1])
with col1:
# Property listings
st.subheader(f"π Found {len(filtered_properties)} Properties")
if filtered_properties:
# Show first 10 properties
for i, prop in enumerate(filtered_properties[:10]):
with st.expander(
f"{prop.get('address', 'N/A')} - {safe_int(prop.get('cash_price')):,} DKK"
):
# Property details in columns
detail_col1, detail_col2, detail_col3 = st.columns(3)
with detail_col1:
st.write(f"**ποΈ City:** {prop.get('city', 'N/A')}")
st.write(f"**πͺ Rooms:** {prop.get('rooms', 'N/A')}")
st.write(f"**π Living Area:** {prop.get('living_area', 'N/A')} mΒ²")
with detail_col2:
st.write(f"**β‘ Energy Rating:** {prop.get('energy_rating', 'N/A')}")
st.write(f"**π
Year Built:** {prop.get('year_built', 'N/A')}")
st.write(f"**ποΈ Municipality:** {prop.get('municipal', 'N/A')}")
with detail_col3:
price_per_sqm = safe_int(prop.get('square_meter_price'))
st.write(f"**π° Price/mΒ²:** {price_per_sqm:,} DKK" if price_per_sqm else "**π° Price/mΒ²:** N/A")
plot_area = safe_int(prop.get('area'))
st.write(f"**πΏ Plot Area:** {plot_area:,} mΒ²" if plot_area else "**πΏ Plot Area:** N/A")
st.write(f"**π Type:** {prop.get('legal_type', 'N/A')}")
if len(filtered_properties) > 10:
st.info(f"Showing first 10 of {len(filtered_properties)} properties. Adjust filters to narrow results.")
else:
st.info("No properties match your current filters. Try adjusting the criteria.")
with col2:
# AI Chat Section
st.subheader("π€ Ask AI Assistant")
st.write("Ask questions about the Danish villa market!")
# Model selection for Together AI
model_choice = st.selectbox(
"Select AI Model:",
[
# Gemma models (Google's efficient models)
"google/gemma-2b-it",
# Other reliable models
"mistralai/Mistral-7B-Instruct-v0.1",
"NousResearch/Nous-Hermes-2-Mixtral-8x7B-DPO",
"mistralai/Mixtral-8x7B-Instruct-v0.1"
],
help="Gemma models are Google's efficient, lightweight models."
)
# Example questions
with st.expander("π‘ Example Questions"):
st.write("β’ What's the average price range?")
st.write("β’ Tell me about energy ratings in the data")
st.write("β’ Which areas have the most expensive properties?")
st.write("β’ How many properties are available in each city?")
st.write("β’ What's the price per square meter trend?")
user_question = st.text_area(
"Your Question:",
placeholder="Ask about prices, locations, energy ratings, market trends...",
height=100
)
if st.button("π Ask AI", type="primary"):
if user_question:
with st.spinner("AI is analyzing the data..."):
# Create context from current filtered data
context = create_property_context(filtered_properties)
try:
# Get AI response
ai_response = get_ai_response(client, user_question, context, model_choice)
st.success("**AI Assistant Response:**")
st.write(ai_response)
# Show debug info
with st.expander("Debug Info"):
st.write(f"Model used: {model_choice}")
st.write(f"Properties analyzed: {len(filtered_properties)}")
st.write(f"Context: {context[:150]}...")
except Exception as e:
st.error(f"AI Error: {str(e)}")
# Fallback response with data analysis
st.info("**Fallback Analysis:**")
if filtered_properties:
avg_price = sum(safe_int(p.get('cash_price')) for p in filtered_properties) / len(filtered_properties)
st.write(f"β’ Found {len(filtered_properties)} properties")
st.write(f"β’ Average price: {avg_price:,.0f} DKK")
cities = list(set(p.get('city') for p in filtered_properties if p.get('city')))
if cities:
st.write(f"β’ Cities: {', '.join(cities[:3])}")
energy_ratings = list(set(p.get('energy_rating') for p in filtered_properties if p.get('energy_rating')))
if energy_ratings:
st.write(f"β’ Energy ratings: {', '.join(energy_ratings[:3])}")
else:
st.warning("Please enter a question first!")
# Footer stats
st.markdown("---")
if all_properties:
total_props = len(all_properties)
filtered_props = len(filtered_properties)
stat_col1, stat_col2, stat_col3, stat_col4 = st.columns(4)
with stat_col1:
st.metric("Total Properties", total_props)
with stat_col2:
st.metric("Filtered Results", filtered_props)
with stat_col3:
if filtered_properties:
avg_price = sum(safe_int(p.get('cash_price')) for p in filtered_properties) / len(filtered_properties)
st.metric("Avg Price", f"{avg_price:,.0f} DKK")
with stat_col4:
unique_cities = len(set(p.get('city') for p in filtered_properties if p.get('city')))
st.metric("Cities", unique_cities)
if __name__ == "__main__":
main() |