Spaces:
Sleeping
Sleeping
File size: 26,948 Bytes
67e153c | 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 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 | #!/usr/bin/env python3
"""
Comprehensive tests for VoucherBot's overall dynamism and adaptive behavior
This test suite challenges the chatbot's ability to:
1. Adapt to different conversation styles and contexts
2. Handle complex multi-turn conversations
3. Maintain context across interactions
4. Gracefully handle edge cases and unexpected inputs
5. Demonstrate intelligent fallback between regex and LLM systems
"""
import unittest
import sys
import os
import json
import time
from unittest.mock import Mock, patch, MagicMock
# Add the parent directory to the path to import modules
sys.path.insert(0, os.path.dirname(os.path.dirname(os.path.abspath(__file__))))
from enhanced_semantic_router_v2 import EnhancedSemanticRouterV2, Intent
from email_handler import enhanced_classify_message
from what_if_handler import WhatIfScenarioAnalyzer
from llm_fallback_router import LLMFallbackRouter
class MockConversationState:
"""Mock conversation state for testing multi-turn interactions"""
def __init__(self):
self.reset()
def reset(self):
self.history = []
self.current_search_params = {}
self.listings = []
self.user_preferences = {}
self.conversation_context = {}
def add_message(self, role, content, metadata=None):
self.history.append({
"role": role,
"content": content,
"metadata": metadata or {},
"timestamp": time.time()
})
def update_search_params(self, params):
self.current_search_params.update(params)
def set_listings(self, listings):
self.listings = listings
def get_context_summary(self):
return {
"search_params": self.current_search_params,
"listings_count": len(self.listings),
"conversation_length": len(self.history),
"last_user_message": self.get_last_user_message()
}
def get_last_user_message(self):
for msg in reversed(self.history):
if msg["role"] == "user":
return msg["content"]
return None
class TestChatbotDynamism(unittest.TestCase):
"""Test suite for chatbot dynamism and adaptive behavior"""
def setUp(self):
"""Set up test components"""
self.router_v2 = EnhancedSemanticRouterV2()
self.what_if_analyzer = WhatIfScenarioAnalyzer()
self.conversation_state = MockConversationState()
# Mock LLM for fallback testing
self.mock_llm = Mock()
self.mock_llm.generate.return_value = json.dumps({
"intent": "SEARCH_LISTINGS",
"parameters": {"borough": "Brooklyn"},
"reasoning": "User wants to search for apartments"
})
self.fallback_router = LLMFallbackRouter(self.mock_llm, debug=False)
def test_conversation_flow_adaptation(self):
"""Test how the chatbot adapts to different conversation flows"""
conversation_scenarios = [
{
"name": "Direct Task-Oriented",
"messages": [
"I need a 2-bedroom apartment in Brooklyn under $2500 with Section 8",
"Show me the listings",
"Tell me about listing #1",
"Write an email for listing #1"
],
"expected_progression": ["search", "listings", "details", "email"]
},
{
"name": "Exploratory Discovery",
"messages": [
"I'm looking for housing but not sure where to start",
"What neighborhoods are good for families?",
"What about Brooklyn?",
"Try searching in Brooklyn with 2 bedrooms"
],
"expected_progression": ["help", "info", "refinement", "search"]
},
{
"name": "Problem-Solving Journey",
"messages": [
"My landlord won't accept my voucher",
"What are my rights?",
"Can you help me find voucher-friendly places?",
"What if I try a different borough?"
],
"expected_progression": ["help", "info", "search", "refinement"]
},
{
"name": "Iterative Refinement",
"messages": [
"Find apartments in Manhattan",
"That's too expensive, try Brooklyn",
"Still too much, what about Queens?",
"Perfect, show me 2-bedroom options"
],
"expected_progression": ["search", "refinement", "refinement", "refinement"]
}
]
print("\nπ Testing Conversation Flow Adaptation")
print("=" * 60)
for scenario in conversation_scenarios:
with self.subTest(scenario=scenario["name"]):
self.conversation_state.reset()
print(f"\nScenario: {scenario['name']}")
print("-" * 40)
intents = []
for i, message in enumerate(scenario["messages"]):
# Simulate conversation context building
context = self.conversation_state.get_context_summary()
# Classify the message
intent = self.router_v2.classify_intent(message, context)
intents.append(intent)
# Update conversation state
self.conversation_state.add_message("user", message)
print(f" {i+1}. User: '{message}'")
print(f" Intent: {intent}")
# Simulate system response and state updates
if intent == Intent.SEARCH_LISTINGS:
params = self.router_v2.extract_parameters(message)
self.conversation_state.update_search_params(params)
# Simulate finding listings
self.conversation_state.set_listings([{"id": 1}, {"id": 2}])
elif intent == Intent.WHAT_IF:
# Simulate parameter modification
params = self.router_v2.extract_parameters(message)
self.conversation_state.update_search_params(params)
# Verify conversation shows progression and adaptation
self.assertGreater(len(intents), 0)
self.assertNotEqual(intents.count(Intent.UNCLASSIFIED), len(intents))
print(f" Final state: {self.conversation_state.current_search_params}")
print(" β
Conversation flow adapted successfully")
def test_context_memory_and_continuity(self):
"""Test the chatbot's ability to maintain context and continuity"""
context_scenarios = [
{
"setup_messages": [
"I need a 2-bedroom apartment in Brooklyn under $2500",
"I have a Section 8 voucher"
],
"test_message": "show me the listings",
"expected_context_usage": "Should remember search criteria"
},
{
"setup_messages": [
"Find apartments in Manhattan",
"That's too expensive"
],
"test_message": "try Brooklyn instead",
"expected_context_usage": "Should understand 'instead' refers to Manhattan"
},
{
"setup_messages": [
"I'm looking at listing #1",
"It has 5 violations"
],
"test_message": "is that safe?",
"expected_context_usage": "Should know 'that' refers to the building"
},
{
"setup_messages": [
"I need help with my voucher",
"I have CityFHEPS"
],
"test_message": "what buildings accept it?",
"expected_context_usage": "Should know 'it' refers to CityFHEPS"
}
]
print("\nπ§ Testing Context Memory and Continuity")
print("=" * 60)
for i, scenario in enumerate(context_scenarios):
with self.subTest(scenario=i):
self.conversation_state.reset()
print(f"\nScenario {i+1}: {scenario['expected_context_usage']}")
print("-" * 40)
# Set up context
context = {}
for setup_msg in scenario["setup_messages"]:
params = self.router_v2.extract_parameters(setup_msg)
context.update(params)
self.conversation_state.add_message("user", setup_msg)
print(f" Setup: '{setup_msg}'")
# Test message with context
test_intent = self.router_v2.classify_intent(
scenario["test_message"],
context
)
print(f" Test: '{scenario['test_message']}'")
print(f" Intent: {test_intent}")
print(f" Context: {context}")
# Context should improve classification
self.assertNotEqual(test_intent, Intent.UNCLASSIFIED)
print(" β
Context maintained and used effectively")
def test_adaptive_response_to_user_style(self):
"""Test adaptation to different user communication styles"""
user_styles = [
{
"style": "Formal Professional",
"messages": [
"I would like to request assistance in locating suitable housing accommodations.",
"Could you please provide information regarding Section 8 housing options?",
"I require a comprehensive list of available properties."
],
"expected_behavior": "Should handle formal language appropriately"
},
{
"style": "Casual Conversational",
"messages": [
"hey, need help finding a place",
"what's good in brooklyn?",
"show me what u got"
],
"expected_behavior": "Should understand casual language"
},
{
"style": "Urgent/Stressed",
"messages": [
"I NEED HELP NOW! My lease expires tomorrow!",
"This is urgent - where can I find emergency housing?",
"Please help me ASAP!!!"
],
"expected_behavior": "Should recognize urgency and provide appropriate help"
},
{
"style": "Detailed/Specific",
"messages": [
"I need a 2-bedroom apartment in Brooklyn, specifically in Park Slope or Prospect Heights, under $2800, that accepts Section 8 vouchers, with good schools nearby",
"The apartment must be on the ground floor due to mobility issues",
"I also need to ensure the building has no more than 2 violations"
],
"expected_behavior": "Should extract multiple specific requirements"
},
{
"style": "Uncertain/Hesitant",
"messages": [
"I'm not sure what I'm looking for...",
"Maybe Brooklyn? Or Queens? I don't know...",
"I think I need help but I'm not sure where to start"
],
"expected_behavior": "Should provide guidance and ask clarifying questions"
}
]
print("\nπ Testing Adaptive Response to User Style")
print("=" * 60)
for style_test in user_styles:
with self.subTest(style=style_test["style"]):
print(f"\nStyle: {style_test['style']}")
print(f"Expected: {style_test['expected_behavior']}")
print("-" * 40)
successful_classifications = 0
total_messages = len(style_test["messages"])
for message in style_test["messages"]:
intent = self.router_v2.classify_intent(message)
params = self.router_v2.extract_parameters(message)
print(f" Message: '{message}'")
print(f" Intent: {intent}")
print(f" Params: {params}")
if intent != Intent.UNCLASSIFIED:
successful_classifications += 1
print()
# Should successfully classify most messages regardless of style
success_rate = successful_classifications / total_messages
self.assertGreater(success_rate, 0.6) # At least 60% success rate
print(f" Success rate: {success_rate:.1%}")
print(" β
Adapted to communication style")
def test_fallback_system_integration(self):
"""Test integration between regex and LLM fallback systems"""
fallback_scenarios = [
{
"message": "Find apartments in Brooklyn",
"expected_system": "regex",
"description": "Simple query should use regex"
},
{
"message": "I'm feeling overwhelmed and need guidance on housing options",
"expected_system": "llm",
"description": "Complex emotional query should use LLM"
},
{
"message": "Necesito ayuda con apartamentos",
"expected_system": "llm",
"description": "Non-English query should use LLM"
},
{
"message": "What if I'm not sure about my budget but need somewhere affordable?",
"expected_system": "llm",
"description": "Ambiguous query should use LLM"
},
{
"message": "Show me 2BR in BK under $2500",
"expected_system": "regex",
"description": "Abbreviated query should use regex"
}
]
print("\nβ‘ Testing Fallback System Integration")
print("=" * 60)
for scenario in fallback_scenarios:
with self.subTest(message=scenario["message"]):
print(f"\nMessage: '{scenario['message']}'")
print(f"Description: {scenario['description']}")
# Test regex classification
regex_intent = self.router_v2.classify_intent(scenario["message"])
regex_params = self.router_v2.extract_parameters(scenario["message"])
print(f" Regex Intent: {regex_intent}")
print(f" Regex Params: {regex_params}")
# Determine if regex was successful
regex_successful = (
regex_intent != Intent.UNCLASSIFIED and
(regex_params or regex_intent in [Intent.SHOW_HELP, Intent.CHECK_VIOLATIONS])
)
if regex_successful:
print(" β
Regex system handled successfully")
if scenario["expected_system"] == "regex":
print(" β
Used expected system (regex)")
else:
print(" β οΈ Used regex instead of expected LLM")
else:
print(" β‘οΈ Would fallback to LLM system")
# Test LLM fallback
try:
llm_result = self.fallback_router.route(scenario["message"])
print(f" LLM Intent: {llm_result['intent']}")
print(f" LLM Params: {llm_result['parameters']}")
if scenario["expected_system"] == "llm":
print(" β
Used expected system (LLM)")
else:
print(" β οΈ Used LLM instead of expected regex")
except Exception as e:
print(f" β LLM fallback failed: {e}")
def test_error_recovery_and_graceful_degradation(self):
"""Test error recovery and graceful degradation"""
error_scenarios = [
{
"message": "",
"error_type": "empty_input",
"expected_behavior": "Should handle empty input gracefully"
},
{
"message": "asdfghjkl qwertyuiop",
"error_type": "gibberish",
"expected_behavior": "Should handle nonsensical input"
},
{
"message": "find apartments" + " very" * 1000,
"error_type": "extremely_long",
"expected_behavior": "Should handle very long input"
},
{
"message": "π π‘ποΈ πππ π°π΅π΄",
"error_type": "emoji_only",
"expected_behavior": "Should handle emoji-only input"
},
{
"message": "FIND APARTMENTS IN BROOKLYN!!!!! NOW!!!!",
"error_type": "excessive_punctuation",
"expected_behavior": "Should handle excessive punctuation"
}
]
print("\nπ‘οΈ Testing Error Recovery and Graceful Degradation")
print("=" * 60)
for scenario in error_scenarios:
with self.subTest(error_type=scenario["error_type"]):
print(f"\nError Type: {scenario['error_type']}")
print(f"Expected: {scenario['expected_behavior']}")
print(f"Message: '{scenario['message'][:50]}...'")
try:
# Test regex system
regex_intent = self.router_v2.classify_intent(scenario["message"])
regex_params = self.router_v2.extract_parameters(scenario["message"])
print(f" Regex Intent: {regex_intent}")
print(f" Regex Params: {regex_params}")
# Test email classification
email_classification = enhanced_classify_message(
scenario["message"],
{"listings": []}
)
print(f" Email Classification: {email_classification}")
# Test what-if analysis
what_if_detected = self.what_if_analyzer.detect_what_if_scenario(
scenario["message"]
)
print(f" What-if Detected: {what_if_detected}")
print(" β
Systems handled error input gracefully")
except Exception as e:
print(f" β System failed with error: {e}")
# Some failures are acceptable for extreme cases
if scenario["error_type"] not in ["empty_input", "gibberish"]:
self.fail(f"System should handle {scenario['error_type']} gracefully")
def test_performance_under_stress(self):
"""Test performance under various stress conditions"""
stress_tests = [
{
"name": "Rapid Fire Queries",
"test_func": self._test_rapid_fire_queries,
"description": "Multiple queries in quick succession"
},
{
"name": "Complex Query Processing",
"test_func": self._test_complex_query_processing,
"description": "Processing very complex queries"
},
{
"name": "Context Switching",
"test_func": self._test_context_switching,
"description": "Rapid context changes"
}
]
print("\nβ‘ Testing Performance Under Stress")
print("=" * 60)
for stress_test in stress_tests:
with self.subTest(test=stress_test["name"]):
print(f"\nStress Test: {stress_test['name']}")
print(f"Description: {stress_test['description']}")
start_time = time.time()
result = stress_test["test_func"]()
end_time = time.time()
processing_time = end_time - start_time
print(f" Processing Time: {processing_time:.3f} seconds")
print(f" Result: {result}")
# Performance should be reasonable
self.assertLess(processing_time, 5.0) # Should complete within 5 seconds
print(" β
Performance acceptable under stress")
def _test_rapid_fire_queries(self):
"""Test rapid fire query processing"""
queries = [
"find apartments in brooklyn",
"what about queens?",
"show me listings",
"try manhattan",
"check violations",
"help me",
"what is section 8?",
"email landlord"
]
results = []
for query in queries:
intent = self.router_v2.classify_intent(query)
results.append(intent)
return f"Processed {len(queries)} queries, {len([r for r in results if r != Intent.UNCLASSIFIED])} successful"
def _test_complex_query_processing(self):
"""Test complex query processing"""
complex_queries = [
"I need a 2-bedroom apartment in Brooklyn or Queens with Section 8 voucher under $2500 near good schools and subway stations with no more than 2 building violations",
"What if I try Manhattan instead but increase my budget to $3000 and I'm okay with 1 bedroom as long as it's safe and accepts CityFHEPS?",
"Can you help me understand the difference between Section 8 and CityFHEPS and which buildings in the Bronx accept both types of vouchers?"
]
successful = 0
for query in complex_queries:
intent = self.router_v2.classify_intent(query)
params = self.router_v2.extract_parameters(query)
if intent != Intent.UNCLASSIFIED:
successful += 1
return f"Processed {len(complex_queries)} complex queries, {successful} successful"
def _test_context_switching(self):
"""Test rapid context switching"""
context_switches = [
("find apartments", {}),
("in brooklyn", {"borough": "Manhattan"}),
("with 2 bedrooms", {"borough": "Brooklyn"}),
("under $2500", {"borough": "Brooklyn", "bedrooms": 2}),
("try queens instead", {"borough": "Brooklyn", "bedrooms": 2, "max_rent": 2500}),
]
successful = 0
for query, context in context_switches:
intent = self.router_v2.classify_intent(query, context)
if intent != Intent.UNCLASSIFIED:
successful += 1
return f"Processed {len(context_switches)} context switches, {successful} successful"
def test_learning_and_adaptation_simulation(self):
"""Simulate learning and adaptation over time"""
# Simulate a user's journey over multiple sessions
user_journey = [
{
"session": 1,
"messages": [
"I need help finding housing",
"I have a Section 8 voucher",
"What neighborhoods are good?"
],
"user_state": "new_user"
},
{
"session": 2,
"messages": [
"I want to look in Brooklyn",
"Show me 2-bedroom apartments",
"Under $2500"
],
"user_state": "learning"
},
{
"session": 3,
"messages": [
"Try Queens instead",
"What about near good schools?",
"Check building violations"
],
"user_state": "experienced"
}
]
print("\nπ Testing Learning and Adaptation Simulation")
print("=" * 60)
accumulated_context = {}
for session in user_journey:
print(f"\nSession {session['session']} - User State: {session['user_state']}")
print("-" * 40)
session_intents = []
for message in session["messages"]:
intent = self.router_v2.classify_intent(message, accumulated_context)
params = self.router_v2.extract_parameters(message)
# Accumulate context (simulate learning)
accumulated_context.update(params)
session_intents.append(intent)
print(f" Message: '{message}'")
print(f" Intent: {intent}")
print(f" Context: {accumulated_context}")
# Verify that later sessions show more sophisticated understanding
unclassified_count = session_intents.count(Intent.UNCLASSIFIED)
success_rate = (len(session_intents) - unclassified_count) / len(session_intents)
print(f" Session Success Rate: {success_rate:.1%}")
# Later sessions should have better success rates
if session["session"] > 1:
self.assertGreater(success_rate, 0.6)
print(" β
Session completed successfully")
if __name__ == "__main__":
# Run the tests with verbose output
unittest.main(verbosity=2, buffer=True) |