Spaces:
Running
Running
File size: 7,382 Bytes
9a6a4dc |
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 |
#!/usr/bin/env python3
"""
Demonstration of the response_formatter.py utility.
This script shows how to integrate the ResponseFormatter with BasicAgent
to ensure HF evaluation format compliance.
"""
import sys
import os
sys.path.append(os.path.dirname(os.path.dirname(os.path.abspath(__file__))))
from utils.response_formatter import (
ResponseFormatter, ResponseType, FormatStandard, FormatConfig,
format_for_hf_evaluation, validate_answer_format, BasicAgentFormatter
)
def demonstrate_basic_formatting():
"""Demonstrate basic response formatting capabilities."""
print("π§ Basic Response Formatting Demo")
print("=" * 50)
# Sample problematic responses that need formatting
test_responses = [
"FINAL ANSWER: The capital of France is Paris",
"**RESULT:** 25 + 37 = 62",
"## Answer\n\nThe temperature is 212Β°F",
"`Answer:` The solar system has 8 planets",
"CONCLUSION: Machine learning is a subset of AI",
]
for response in test_responses:
formatted = format_for_hf_evaluation(response)
print(f"π Original: '{response}'")
print(f"β
Formatted: '{formatted}'")
print()
def demonstrate_validation():
"""Demonstrate response validation capabilities."""
print("π Response Validation Demo")
print("=" * 50)
test_cases = [
("Paris", "Valid simple answer"),
("FINAL ANSWER: 42", "Contains forbidden prefix"),
("The result is 212 degrees Fahrenheit", "Good quality with units"),
("", "Empty answer"),
("I don't know", "Uncertain response"),
]
for answer, description in test_cases:
is_valid, issues, quality_score = validate_answer_format(answer)
print(f"π Testing: {description}")
print(f" Answer: '{answer}'")
print(f" Valid: {is_valid}")
print(f" Quality Score: {quality_score:.2f}")
if issues:
print(f" Issues: {', '.join(issues)}")
print()
def demonstrate_agent_integration():
"""Demonstrate BasicAgent integration."""
print("π€ BasicAgent Integration Demo")
print("=" * 50)
agent_formatter = BasicAgentFormatter()
# Simulate responses from BasicAgent with metadata
scenarios = [
{
"answer": "FINAL ANSWER: 25 + 37 = 62",
"metadata": {"question_type": "mathematical"},
"description": "Mathematical calculation"
},
{
"answer": "**Research Result:** Paris is the capital of France because it's the political center.",
"metadata": {"use_web_search": True},
"description": "Web research response"
},
{
"answer": "ANSWER: The human heart has four chambers.",
"metadata": {"question_type": "simple_factual"},
"description": "Simple factual answer"
}
]
for scenario in scenarios:
formatted = agent_formatter.format_agent_response(
scenario["answer"],
scenario["metadata"]
)
print(f"π Scenario: {scenario['description']}")
print(f" Original: '{scenario['answer']}'")
print(f" Metadata: {scenario['metadata']}")
print(f" Formatted: '{formatted}'")
print()
def demonstrate_advanced_features():
"""Demonstrate advanced formatting features."""
print("β‘ Advanced Features Demo")
print("=" * 50)
# Create custom formatter with specific configuration
custom_config = FormatConfig(
format_standard=FormatStandard.HF_EVALUATION,
remove_markdown=True,
remove_prefixes=True,
max_length=1000,
ensure_period=True
)
formatter = ResponseFormatter(custom_config)
# Batch processing demo
answers = [
"FINAL ANSWER: The speed of light is 299,792,458 m/s",
"**Result:** Converting 100Β°C to Fahrenheit: (100 Γ 9/5) + 32 = 212Β°F",
"## Conclusion\n\nThe Earth orbits the Sun",
"ANSWER: Machine learning algorithms learn from data",
]
response_types = [
ResponseType.SIMPLE_ANSWER,
ResponseType.CALCULATION,
ResponseType.SIMPLE_ANSWER,
ResponseType.EXPLANATION,
]
print("π Batch Processing Results:")
results = formatter.batch_format(answers, response_types)
for i, result in enumerate(results):
print(f"\n{i+1}. Original: '{answers[i][:50]}...'")
print(f" Formatted: '{result.answer}'")
print(f" Type: {result.response_type.value}")
print(f" Valid: {result.validation.is_valid}")
print(f" Quality: {result.validation.quality_score:.2f}")
# Statistics demo
stats = formatter.get_format_statistics(results)
print(f"\nπ Statistics:")
print(f" Total Responses: {stats['total_responses']}")
print(f" Valid Responses: {stats['valid_responses']}")
print(f" Validity Rate: {stats['validity_rate']:.2f}")
print(f" Avg Quality Score: {stats['average_quality_score']:.2f}")
def demonstrate_integration_example():
"""Show how to integrate with existing BasicAgent code."""
print("π Integration Example")
print("=" * 50)
# Example of how to modify BasicAgent to use ResponseFormatter
example_code = '''
# In your BasicAgent class:
from utils.response_formatter import BasicAgentFormatter
class BasicAgent:
def __init__(self):
self.response_formatter = BasicAgentFormatter()
# ... other initialization
def __call__(self, question):
# ... existing processing logic
raw_answer = self.process_question(question)
# Format for HF evaluation compliance
metadata = {
"question_type": self.classify_question(question),
"use_web_search": self.used_web_search,
}
formatted_answer = self.response_formatter.format_agent_response(
raw_answer, metadata
)
return formatted_answer
'''
print("π Integration Code Example:")
print(example_code)
print("\nβ
Benefits of Integration:")
benefits = [
"β Automatic removal of 'FINAL ANSWER:' prefixes",
"β Clean markdown formatting removal",
"β Response quality validation and scoring",
"β Consistent HF evaluation format compliance",
"β Comprehensive logging and debugging support",
"β Configurable formatting options",
"β Batch processing capabilities for testing"
]
for benefit in benefits:
print(f" {benefit}")
if __name__ == "__main__":
print("π§ͺ Response Formatter Comprehensive Demo")
print("=" * 60)
print()
demonstrate_basic_formatting()
print()
demonstrate_validation()
print()
demonstrate_agent_integration()
print()
demonstrate_advanced_features()
print()
demonstrate_integration_example()
print()
print("π Demo completed! The ResponseFormatter is ready for Phase 2A integration.")
print("π Files created:")
print(" - utils/response_formatter.py (Main utility)")
print(" - utils/test_response_formatter.py (Test suite)")
print(" - utils/demo_response_formatter.py (This demo)") |