File size: 9,628 Bytes
2b395f2 |
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 |
#!/usr/bin/env python3
"""
End-to-End Test Runner for FRED ML
Runs comprehensive tests of the complete system
"""
import os
import sys
import subprocess
import argparse
import json
from pathlib import Path
import boto3
import time
def check_prerequisites():
"""Check if all prerequisites are met for testing"""
print("π Checking prerequisites...")
# Check Python version
if sys.version_info < (3, 9):
print("β Python 3.9+ is required")
return False
# Check required packages
required_packages = ['pytest', 'boto3', 'pandas', 'numpy']
missing_packages = []
for package in required_packages:
try:
__import__(package)
except ImportError:
missing_packages.append(package)
if missing_packages:
print(f"β Missing packages: {', '.join(missing_packages)}")
print("Run: pip install -r requirements.txt")
return False
# Check AWS credentials
try:
sts = boto3.client('sts')
identity = sts.get_caller_identity()
print(f"β
AWS credentials configured for: {identity['Account']}")
except Exception as e:
print(f"β AWS credentials not configured: {e}")
return False
# Check AWS CLI
try:
subprocess.run(['aws', '--version'], capture_output=True, check=True)
print("β
AWS CLI found")
except (subprocess.CalledProcessError, FileNotFoundError):
print("β AWS CLI not found")
return False
print("β
All prerequisites met")
return True
def setup_test_environment():
"""Set up test environment"""
print("\nπ§ Setting up test environment...")
# Set environment variables for testing
os.environ['AWS_DEFAULT_REGION'] = 'us-west-2'
os.environ['S3_BUCKET'] = 'fredmlv1'
os.environ['LAMBDA_FUNCTION'] = 'fred-ml-processor'
print("β
Test environment configured")
def run_unit_tests():
"""Run unit tests"""
print("\nπ§ͺ Running unit tests...")
try:
result = subprocess.run([
sys.executable, '-m', 'pytest',
'tests/unit/',
'-v',
'--tb=short'
], capture_output=True, text=True)
if result.returncode == 0:
print("β
Unit tests passed")
return True
else:
print("β Unit tests failed")
print(result.stdout)
print(result.stderr)
return False
except Exception as e:
print(f"β Unit test execution failed: {e}")
return False
def run_integration_tests():
"""Run integration tests"""
print("\nπ Running integration tests...")
try:
result = subprocess.run([
sys.executable, '-m', 'pytest',
'tests/integration/',
'-v',
'--tb=short'
], capture_output=True, text=True)
if result.returncode == 0:
print("β
Integration tests passed")
return True
else:
print("β Integration tests failed")
print(result.stdout)
print(result.stderr)
return False
except Exception as e:
print(f"β Integration test execution failed: {e}")
return False
def run_e2e_tests():
"""Run end-to-end tests"""
print("\nπ Running end-to-end tests...")
try:
result = subprocess.run([
sys.executable, '-m', 'pytest',
'tests/e2e/test_complete_workflow.py',
'-v',
'--tb=short',
'--disable-warnings'
], capture_output=True, text=True)
if result.returncode == 0:
print("β
End-to-end tests passed")
return True
else:
print("β End-to-end tests failed")
print(result.stdout)
print(result.stderr)
return False
except Exception as e:
print(f"β End-to-end test execution failed: {e}")
return False
def test_lambda_function_directly():
"""Test Lambda function directly (local simulation)"""
print("\nβ‘ Testing Lambda function directly...")
try:
# Import Lambda function
sys.path.append(str(Path(__file__).parent.parent / 'lambda'))
from lambda_function import lambda_handler
# Test payload
test_event = {
'indicators': ['GDP'],
'start_date': '2024-01-01',
'end_date': '2024-01-31',
'options': {
'visualizations': False,
'correlation': False,
'statistics': True
}
}
# Mock context
class MockContext:
def __init__(self):
self.function_name = 'fred-ml-processor'
self.function_version = '$LATEST'
self.invoked_function_arn = 'arn:aws:lambda:us-west-2:123456789012:function:fred-ml-processor'
self.memory_limit_in_mb = 512
self.remaining_time_in_millis = 300000
self.log_group_name = '/aws/lambda/fred-ml-processor'
self.log_stream_name = '2024/01/01/[$LATEST]123456789012'
context = MockContext()
# Test function
response = lambda_handler(test_event, context)
if response.get('statusCode') == 200:
print("β
Lambda function test passed")
return True
else:
print(f"β Lambda function test failed: {response}")
return False
except Exception as e:
print(f"β Lambda function test failed: {e}")
return False
def test_streamlit_app_locally():
"""Test Streamlit app locally"""
print("\nπ¨ Testing Streamlit app locally...")
try:
# Test Streamlit app imports
sys.path.append(str(Path(__file__).parent.parent / 'frontend'))
from app import load_config, init_aws_clients
# Test configuration
config = load_config()
assert config['s3_bucket'] == 'fredmlv1'
assert config['lambda_function'] == 'fred-ml-processor'
print("β
Streamlit configuration test passed")
# Test AWS clients
s3_client, lambda_client = init_aws_clients()
if s3_client and lambda_client:
print("β
AWS clients initialization test passed")
else:
print("β AWS clients initialization failed")
return False
return True
except Exception as e:
print(f"β Streamlit app test failed: {e}")
return False
def generate_test_report(results):
"""Generate test report"""
print("\nπ Test Results Summary")
print("=" * 50)
total_tests = len(results)
passed_tests = sum(1 for result in results.values() if result)
failed_tests = total_tests - passed_tests
print(f"Total Tests: {total_tests}")
print(f"Passed: {passed_tests}")
print(f"Failed: {failed_tests}")
print(f"Success Rate: {(passed_tests/total_tests)*100:.1f}%")
print("\nDetailed Results:")
for test_name, result in results.items():
status = "β
PASS" if result else "β FAIL"
print(f" {test_name}: {status}")
# Save report to file
report_data = {
'timestamp': time.strftime('%Y-%m-%d %H:%M:%S'),
'total_tests': total_tests,
'passed_tests': passed_tests,
'failed_tests': failed_tests,
'success_rate': (passed_tests/total_tests)*100,
'results': results
}
report_file = Path(__file__).parent.parent / 'test_report.json'
with open(report_file, 'w') as f:
json.dump(report_data, f, indent=2)
print(f"\nπ Detailed report saved to: {report_file}")
return passed_tests == total_tests
def main():
parser = argparse.ArgumentParser(description='Run FRED ML End-to-End Tests')
parser.add_argument('--skip-unit', action='store_true', help='Skip unit tests')
parser.add_argument('--skip-integration', action='store_true', help='Skip integration tests')
parser.add_argument('--skip-e2e', action='store_true', help='Skip end-to-end tests')
parser.add_argument('--local-only', action='store_true', help='Run only local tests')
args = parser.parse_args()
print("π FRED ML End-to-End Test Suite")
print("=" * 50)
# Check prerequisites
if not check_prerequisites():
print("β Prerequisites not met. Exiting.")
sys.exit(1)
# Setup environment
setup_test_environment()
# Run tests
results = {}
if not args.skip_unit:
results['Unit Tests'] = run_unit_tests()
if not args.skip_integration:
results['Integration Tests'] = run_integration_tests()
if not args.skip_e2e:
results['End-to-End Tests'] = run_e2e_tests()
if args.local_only:
results['Lambda Function Test'] = test_lambda_function_directly()
results['Streamlit App Test'] = test_streamlit_app_locally()
# Generate report
if results:
success = generate_test_report(results)
if success:
print("\nπ All tests passed!")
sys.exit(0)
else:
print("\nβ Some tests failed. Check the report for details.")
sys.exit(1)
else:
print("β No tests were run.")
sys.exit(1)
if __name__ == "__main__":
main() |