Files
geutebruck/.playwright-mcp/test_action_mappings_download.mjs
Administrator 14893e62a5 feat: Geutebruck GeViScope/GeViSoft Action Mapping System - MVP
This MVP release provides a complete full-stack solution for managing action mappings
in Geutebruck's GeViScope and GeViSoft video surveillance systems.

## Features

### Flutter Web Application (Port 8081)
- Modern, responsive UI for managing action mappings
- Action picker dialog with full parameter configuration
- Support for both GSC (GeViScope) and G-Core server actions
- Consistent UI for input and output actions with edit/delete capabilities
- Real-time action mapping creation, editing, and deletion
- Server categorization (GSC: prefix for GeViScope, G-Core: prefix for G-Core servers)

### FastAPI REST Backend (Port 8000)
- RESTful API for action mapping CRUD operations
- Action template service with comprehensive action catalog (247 actions)
- Server management (G-Core and GeViScope servers)
- Configuration tree reading and writing
- JWT authentication with role-based access control
- PostgreSQL database integration

### C# SDK Bridge (gRPC, Port 50051)
- Native integration with GeViSoft SDK (GeViProcAPINET_4_0.dll)
- Action mapping creation with correct binary format
- Support for GSC and G-Core action types
- Proper Camera parameter inclusion in action strings (fixes CrossSwitch bug)
- Action ID lookup table with server-specific action IDs
- Configuration reading/writing via SetupClient

## Bug Fixes
- **CrossSwitch Bug**: GSC and G-Core actions now correctly display camera/PTZ head parameters in GeViSet
- Action strings now include Camera parameter: `@ PanLeft (Comment: "", Camera: 101028)`
- Proper filter flags and VideoInput=0 for action mappings
- Correct action ID assignment (4198 for GSC, 9294 for G-Core PanLeft)

## Technical Stack
- **Frontend**: Flutter Web, Dart, Dio HTTP client
- **Backend**: Python FastAPI, PostgreSQL, Redis
- **SDK Bridge**: C# .NET 8.0, gRPC, GeViSoft SDK
- **Authentication**: JWT tokens
- **Configuration**: GeViSoft .set files (binary format)

## Credentials
- GeViSoft/GeViScope: username=sysadmin, password=masterkey
- Default admin: username=admin, password=admin123

## Deployment
All services run on localhost:
- Flutter Web: http://localhost:8081
- FastAPI: http://localhost:8000
- SDK Bridge gRPC: localhost:50051
- GeViServer: localhost (default port)

Generated with Claude Code (https://claude.com/claude-code)

Co-Authored-By: Claude Sonnet 4.5 <noreply@anthropic.com>
2025-12-31 18:10:54 +01:00

174 lines
5.4 KiB
JavaScript
Raw Permalink Blame History

This file contains invisible Unicode characters

This file contains invisible Unicode characters that are indistinguishable to humans but may be processed differently by a computer. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

import { chromium } from 'playwright';
import fs from 'fs';
(async () => {
console.log('=== Automated Action Mappings Download Test ===\n');
const browser = await chromium.launch({
headless: false,
slowMo: 500
});
const context = await browser.newContext();
const page = await context.newPage();
const errors = [];
const networkLogs = [];
const consoleLogs = [];
// Capture console
page.on('console', msg => {
const text = msg.text();
consoleLogs.push({ type: msg.type(), text: text, timestamp: new Date().toISOString() });
console.log(`[CONSOLE ${msg.type()}] ${text}`);
});
// Capture network
page.on('request', request => {
if (request.url().includes('api/v1')) {
const log = {
type: 'request',
method: request.method(),
url: request.url(),
headers: request.headers(),
timestamp: new Date().toISOString()
};
networkLogs.push(log);
console.log(`📤 ${log.method} ${log.url}`);
if (log.headers['authorization']) {
console.log(` Auth: ${log.headers['authorization'].substring(0, 30)}...`);
}
}
});
page.on('response', async response => {
if (response.url().includes('api/v1')) {
const status = response.status();
const url = response.url();
let body = null;
try {
body = await response.text();
} catch (e) {
body = '[Could not read body]';
}
const log = {
type: 'response',
status: status,
url: url,
body: body,
timestamp: new Date().toISOString()
};
networkLogs.push(log);
const icon = status >= 400 ? '❌' : '✅';
console.log(`${icon} ${status} ${url}`);
if (status >= 400) {
console.log(` Body: ${body}`);
errors.push({ status, url, body });
} else {
console.log(` Body: ${body.substring(0, 100)}...`);
}
}
});
try {
// Step 1: Navigate
console.log('\n1⃣ Navigating to login...');
await page.goto('http://100.81.138.77:8081/', { waitUntil: 'networkidle', timeout: 60000 });
await page.waitForTimeout(3000);
await page.screenshot({ path: 'step1-initial-load.png' });
// Step 2: Wait for Flutter to load (canvas based)
console.log('\n2⃣ Waiting for Flutter app to render...');
await page.waitForTimeout(5000);
await page.screenshot({ path: 'step2-app-loaded.png' });
// Step 3: Login with keyboard
console.log('\n3⃣ Logging in (using keyboard navigation)...');
// Tab to username field and type
await page.keyboard.press('Tab');
await page.keyboard.type('admin', { delay: 100 });
await page.keyboard.press('Tab');
await page.keyboard.type('admin123', { delay: 100 });
await page.screenshot({ path: 'step3-credentials-entered.png' });
// Press Enter to submit
await page.keyboard.press('Enter');
console.log(' Waiting for login response...');
await page.waitForTimeout(5000);
await page.screenshot({ path: 'step4-after-login.png' });
// Step 4: Navigate to action mappings
console.log('\n4⃣ Navigating to action mappings...');
await page.goto('http://100.81.138.77:8081/#/action-mappings', { waitUntil: 'networkidle', timeout: 60000 });
await page.waitForTimeout(3000);
await page.screenshot({ path: 'step5-action-mappings-page.png' });
// Step 5: Click download button (using keyboard)
console.log('\n5⃣ Clicking download button...');
// Use keyboard to navigate to download button
// Typically: Tab, Tab, Tab to skip search, sync, then download button
await page.keyboard.press('Tab');
await page.keyboard.press('Tab');
await page.keyboard.press('Tab');
await page.keyboard.press('Enter');
console.log(' Waiting for API response...');
await page.waitForTimeout(8000);
await page.screenshot({ path: 'step6-after-download-click.png' });
// Step 6: Check for success or error messages
console.log('\n6⃣ Checking results...');
await page.screenshot({ path: 'step7-final-state.png' });
} catch (error) {
console.error('\n❌ Test error:', error.message);
await page.screenshot({ path: 'error-screenshot.png' });
errors.push({ error: error.message, stack: error.stack });
}
// Summary
console.log('\n' + '='.repeat(60));
console.log('SUMMARY');
console.log('='.repeat(60));
console.log(`\nNetwork Requests: ${networkLogs.filter(l => l.type === 'request').length}`);
console.log(`Network Responses: ${networkLogs.filter(l => l.type === 'response').length}`);
console.log(`Console Messages: ${consoleLogs.length}`);
console.log(`Errors: ${errors.length}`);
if (errors.length > 0) {
console.log('\n❌ ERRORS DETECTED:');
errors.forEach((err, i) => {
console.log(`\nError ${i + 1}:`);
if (err.status) {
console.log(` HTTP ${err.status}: ${err.url}`);
console.log(` Response: ${err.body}`);
} else {
console.log(` ${err.error}`);
}
});
} else {
console.log('\n✅ No errors detected!');
}
// Save detailed logs
fs.writeFileSync('test-results.json', JSON.stringify({
errors,
networkLogs,
consoleLogs
}, null, 2));
console.log('\n📊 Detailed logs saved to: test-results.json');
console.log('📸 Screenshots saved to: step*.png');
await page.waitForTimeout(3000);
await browser.close();
console.log('\n=== Test Complete ===');
process.exit(errors.length > 0 ? 1 : 0);
})();