Spaces:
Runtime error
Runtime error
File size: 13,117 Bytes
2582b22 7c69181 52deec0 2582b22 7c69181 2582b22 e0f3044 3b88143 52deec0 3b88143 52deec0 3b88143 52deec0 3b88143 52deec0 3b88143 52deec0 e0f3044 52deec0 e0f3044 52deec0 e0f3044 52deec0 3b88143 47889ff 0ab8f01 e0f3044 0ab8f01 e0f3044 0ab8f01 |
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 |
import gradio as gr
import json
import logging
from enum import Enum, auto
from typing import Protocol, List, Dict, Any, Optional
from dataclasses import dataclass, field
from datetime import datetime
import difflib
import pytest
from concurrent.futures import ThreadPoolExecutor
import asyncio
# Initialize logger
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger(__name__)
class CustomJSONEncoder(json.JSONEncoder):
def default(self, obj):
if isinstance(obj, datetime):
return obj.isoformat()
return super().default(obj)
@dataclass
class Config:
"""Configuration class for the agent system"""
rag_system_path: str
max_workers: int = 10
log_level: str = "INFO"
model_settings: Dict[str, Any] = field(default_factory=dict)
api_keys: Dict[str, str] = field(default_factory=dict)
design_system_config: Dict[str, Any] = field(default_factory=dict)
def __post_init__(self):
"""Validate configuration after initialization"""
if not self.rag_system_path:
raise ValueError("RAG system path must be specified in config")
if not self.design_system_config:
self.design_system_config = {
'theme': 'light',
'responsive': True,
'accessibility_level': 'AAA'
}
class DesignSystem:
def __init__(self):
self.theme = {
'colors': {
'primary': '#007bff',
'secondary': '#6c757d',
'success': '#28a745',
'danger': '#dc3545',
'warning': '#ffc107',
'info': '#17a2b8',
'light': '#f8f9fa',
'dark': '#343a40'
},
'typography': {
'fontFamily': {
'primary': '"Helvetica Neue", Arial, sans-serif',
'secondary': 'Georgia, serif',
'monospace': 'Monaco, Consolas, monospace'
},
'fontSizes': {
'xs': '12px',
'sm': '14px',
'base': '16px',
'lg': '18px',
'xl': '20px',
'xxl': '24px',
'display': '32px'
},
'lineHeight': {
'tight': '1.25',
'normal': '1.5',
'relaxed': '1.75'
}
},
'spacing': {
'unit': '8px',
'scales': {
'xs': '0.25rem',
'sm': '0.5rem',
'md': '1rem',
'lg': '1.5rem',
'xl': '2rem'
}
},
'breakpoints': {
'mobile': '320px',
'tablet': '768px',
'desktop': '1024px',
'large': '1440px'
}
}
def get_color(self, color_name: str) -> str:
return self.theme['colors'].get(color_name)
def get_font_family(self, type_name: str) -> str:
return self.theme['typography']['fontFamily'].get(type_name)
def get_spacing(self, scale: str) -> str:
return self.theme['spacing']['scales'].get(scale)
class UIComponentLibrary:
def __init__(self, design_system: DesignSystem):
self.design_system = design_system
def get_component_template(self, component_type: str) -> Dict[str, Any]:
components = {
'button': {
'template': '''
<button class="btn {{variant}}" {{attributes}}>
{{text}}
</button>
''',
'styles': self._get_button_styles()
},
'card': {
'template': '''
<div class="card {{variant}}">
<div class="card-header">{{header}}</div>
<div class="card-body">{{content}}</div>
<div class="card-footer">{{footer}}</div>
</div>
''',
'styles': self._get_card_styles()
},
'input': {
'template': '''
<div class="form-group">
<label for="{{id}}">{{label}}</label>
<input type="{{type}}" id="{{id}}"
class="form-control {{variant}}" {{attributes}}>
<small class="form-text">{{helper_text}}</small>
</div>
''',
'styles': self._get_input_styles()
}
}
return components.get(component_type)
def _get_button_styles(self) -> Dict[str, str]:
return {
'base': f'''
font-family: {self.design_system.get_font_family('primary')};
padding: {self.design_system.get_spacing('sm')} {self.design_system.get_spacing('md')};
border-radius: 4px;
border: none;
cursor: pointer;
transition: all 0.3s ease;
''',
'primary': f'background-color: {self.design_system.get_color("primary")};',
'secondary': f'background-color: {self.design_system.get_color("secondary")};'
}
def _get_card_styles(self) -> Dict[str, str]:
return {
'base': f'''
border-radius: 8px;
padding: {self.design_system.get_spacing('md')};
box-shadow: 0 2px 4px rgba(0,0,0,0.1);
'''
}
def _get_input_styles(self) -> Dict[str, str]:
return {
'base': f'''
font-family: {self.design_system.get_font_family('primary')};
padding: {self.design_system.get_spacing('sm')};
border-radius: 4px;
border: 1px solid {self.design_system.get_color('secondary')};
'''
}
class WebDesignValidator:
def __init__(self):
self.accessibility_rules = {
'aria_labels': True,
'alt_texts': True,
'semantic_html': True,
'keyboard_navigation': True,
'color_contrast': True,
'focus_indicators': True
}
self.responsive_breakpoints = {
'mobile': '320px',
'tablet': '768px',
'desktop': '1024px',
'large': '1440px'
}
async def validate_design_principles(self, implementation: Dict[str, Any]) -> Dict[str, Any]:
results = {
'accessibility': await self._check_accessibility(implementation),
'responsive_design': await self._check_responsive_design(implementation),
'color_contrast': await self._check_color_contrast(implementation),
'typography': await self._check_typography(implementation),
'performance': await self._check_performance(implementation)
}
return {
'validation_results': results,
'overall_status': self._calculate_overall_status(results),
'recommendations': self._generate_recommendations(results)
}
async def _check_accessibility(self, implementation: Dict[str, Any]) -> Dict[str, Any]:
results = {
'passed': [],
'failed': [],
'warnings': []
}
for component in implementation.get('components', []):
for rule, enabled in self.accessibility_rules.items():
if enabled:
result = await self._validate_accessibility_rule(component, rule)
if result['status'] == 'passed':
results['passed'].append(f"{component['name']}: {rule}")
elif result['status'] == 'failed':
results['failed'].append({
'component': component['name'],
'rule': rule,
'message': result['message']
})
else:
results['warnings'].append({
'component': component['name'],
'rule': rule,
'message': result['message']
})
return results
async def _validate_accessibility_rule(self, component: Dict[str, Any], rule: str) -> Dict[str, Any]:
validators = {
'aria_labels': self._check_aria_labels,
'alt_texts': self._check_alt_texts,
'semantic_html': self._check_semantic_html,
'keyboard_navigation': self._check_keyboard_navigation,
'color_contrast': self._check_specific_color_contrast,
'focus_indicators': self._check_focus_indicators
}
validator = validators.get(rule)
if validator:
return await validator(component)
return {'status': 'warning', 'message': f'No validator found for {rule}'}
async def _check_responsive_design(self, implementation: Dict[str, Any]) -> Dict[str, Any]:
results = {
'breakpoints_tested': [],
'layout_issues': [],
'recommendations': []
}
for breakpoint, size in self.responsive_breakpoints.items():
test_result = await self._test_breakpoint(implementation, breakpoint, size)
results['breakpoints_tested'].append({
'breakpoint': breakpoint,
'size': size,
'result': test_result
})
if test_result.get('issues'):
results['layout_issues'].extend(test_result['issues'])
results['recommendations'].extend(test_result['recommendations'])
return results
async def _test_breakpoint(self, implementation: Dict[str, Any], breakpoint: str, size: str) -> Dict[str, Any]:
# Simulate testing at different viewport sizes
return {
'breakpoint': breakpoint,
'size': size,
'layout_integrity': True,
'issues': [],
'recommendations': []
}
async def _check_color_contrast(self, implementation: Dict[str, Any]) -> Dict[str, Any]:
results = {
'passed': [],
'failed': [],
'warnings': []
}
for component in implementation.get('components', []):
contrast_ratio = await self._calculate_contrast_ratio(
component.get('foreground_color'),
component.get('background_color')
)
if contrast_ratio >= 4.5: # WCAG AA standard
results['passed'].append({
'component': component['name'],
'ratio': contrast_ratio
})
else:
results['failed'].append({
'component': component['name'],
'ratio': contrast_ratio,
'recommendation': 'Increase contrast to at least 4.5:1'
})
return results
async def _check_typography(self, implementation: Dict[str, Any]) -> Dict[str, Any]:
return {
'font_hierarchy': await self._check_font_hierarchy(implementation),
'line_height': await self._check_line_height(implementation),
'font_sizes': await self._check_font_sizes(implementation),
'recommendations': []
}
async def _check_performance(self, implementation: Dict[str, Any]) -> Dict[str, Any]:
return {
'image_optimization': await self._check_image_optimization(implementation),
'css_optimization': await self._check_css_optimization(implementation),
'loading_time': await self._check_loading_time(implementation),
'recommendations': []
}
def _calculate_overall_status(self, results: Dict[str, Any]) -> str:
# Implementation of overall status calculation
failed_count = sum(len(category.get('failed', [])) for category in results.values())
if failed_count > 0:
return 'fail'
return 'pass'
def _generate_recommendations(self, results: Dict[str, Any]) -> List[str]:
recommendations = []
for category, result in results.items():
if 'recommendations' in result:
recommendations.extend(result['recommendations'])
return recommendations
if __name__ == "__app__":
logger.info("===== Application Startup at %s =====", datetime.now().isoformat())
try:
# Example data to test JSON serialization
test_results = {
"timestamp": datetime.now(),
"status": "success"
}
print("Test Results:", json.dumps(test_results, indent=2, cls=CustomJSONEncoder))
except Exception as e:
logger.error(f"Error serializing test results: {e}")
logger.info("Application initialized successfully.") |