📚 Erweiterte Dokumentation für den Button "Reservierung erstellen" und Verbesserungen bei der OTP-Drucker-Verfügbarkeitsprüfung. 🐛 Behebung von Problemen mit "undefined" Druckaufträgen und Optimierung der Logdateien für bessere Nachverfolgbarkeit. 📈
This commit is contained in:
@ -1 +1,259 @@
|
|||||||
|
# Button "Reservierung erstellen" - Problem-Analyse und Lösung
|
||||||
|
|
||||||
|
## Problem-Beschreibung
|
||||||
|
|
||||||
|
Der Button "Reservierung erstellen" in der Jobs-Seite funktioniert nicht. Das Formular wird nicht abgeschickt, wenn der Benutzer auf den Button klickt.
|
||||||
|
|
||||||
|
## Problem-Analyse
|
||||||
|
|
||||||
|
### 1. **Formular ist standardmäßig versteckt**
|
||||||
|
|
||||||
|
Das erweiterte Formular mit dem Submit-Button ist standardmäßig mit `class="hidden"` versteckt:
|
||||||
|
|
||||||
|
```html
|
||||||
|
<div id="expanded-form" class="hidden">
|
||||||
|
<form id="newJobForm" class="space-y-6">
|
||||||
|
```
|
||||||
|
|
||||||
|
### 2. **Event-Listener wird möglicherweise zu früh registriert**
|
||||||
|
|
||||||
|
Der Event-Listener wird in `setupEventListeners()` registriert, aber das Form könnte zu diesem Zeitpunkt noch nicht im DOM sein.
|
||||||
|
|
||||||
|
### 3. **Fehlende Robust-Behandlung**
|
||||||
|
|
||||||
|
Die ursprüngliche Implementierung hat keine robuste Behandlung für dynamisch geladene Formulare.
|
||||||
|
|
||||||
|
## Identifizierte Ursachen
|
||||||
|
|
||||||
|
1. **Timing-Problem**: Das Formular ist beim ersten Laden der Seite versteckt
|
||||||
|
2. **Event-Listener nicht registriert**: Wenn das Formular versteckt ist, wird der Event-Listener möglicherweise nicht korrekt registriert
|
||||||
|
3. **Fehlende Form-Validierung**: Keine Client-seitige Validierung vor dem Submit
|
||||||
|
|
||||||
|
## Lösung
|
||||||
|
|
||||||
|
### Schritt 1: Button-Funktionalität prüfen
|
||||||
|
|
||||||
|
Der Benutzer muss zunächst das erweiterte Formular anzeigen:
|
||||||
|
|
||||||
|
1. **Option A**: Auf "Erweitert" klicken im Formular-Header
|
||||||
|
2. **Option B**: Auf "Vollständiger Auftrag" in den Quick-Actions klicken
|
||||||
|
|
||||||
|
### Schritt 2: Event-Listener verbessern
|
||||||
|
|
||||||
|
```javascript
|
||||||
|
// Robuste Event-Listener-Registrierung
|
||||||
|
setupFormSubmitListeners() {
|
||||||
|
const setupMainFormListener = () => {
|
||||||
|
const mainForm = document.getElementById('newJobForm');
|
||||||
|
if (mainForm) {
|
||||||
|
console.log('✅ Hauptformular gefunden - Event Listener wird registriert');
|
||||||
|
mainForm.removeEventListener('submit', this.handleJobSubmit.bind(this));
|
||||||
|
mainForm.addEventListener('submit', this.handleJobSubmit.bind(this));
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
return false;
|
||||||
|
};
|
||||||
|
|
||||||
|
// Mit MutationObserver für dynamische Inhalte
|
||||||
|
const observer = new MutationObserver(() => {
|
||||||
|
if (setupMainFormListener()) {
|
||||||
|
observer.disconnect();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
observer.observe(document.body, {
|
||||||
|
childList: true,
|
||||||
|
subtree: true
|
||||||
|
});
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
### Schritt 3: Formular-Validierung verbessern
|
||||||
|
|
||||||
|
```javascript
|
||||||
|
async handleJobSubmit(e) {
|
||||||
|
e.preventDefault();
|
||||||
|
|
||||||
|
// Debug-Ausgaben
|
||||||
|
console.log('🚀 Job-Submit gestartet');
|
||||||
|
|
||||||
|
const formData = new FormData(e.target);
|
||||||
|
const jobData = {
|
||||||
|
printer_id: parseInt(formData.get('printer_id')),
|
||||||
|
start_iso: formData.get('start_time'),
|
||||||
|
duration_minutes: parseInt(formData.get('duration')),
|
||||||
|
name: formData.get('job_title') || 'Neuer Druckjob'
|
||||||
|
};
|
||||||
|
|
||||||
|
// Validierung
|
||||||
|
if (!jobData.printer_id) {
|
||||||
|
this.showError('Bitte wählen Sie einen Drucker aus');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!jobData.start_iso) {
|
||||||
|
this.showError('Bitte geben Sie eine Startzeit an');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!jobData.duration_minutes || jobData.duration_minutes <= 0) {
|
||||||
|
this.showError('Bitte geben Sie eine gültige Dauer ein');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Submit-Button deaktivieren
|
||||||
|
const submitBtn = e.target.querySelector('button[type="submit"]');
|
||||||
|
if (submitBtn) {
|
||||||
|
submitBtn.disabled = true;
|
||||||
|
submitBtn.innerHTML = '<span class="loading-spinner"></span> Erstelle...';
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
const response = await fetch('/api/jobs', {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'application/json',
|
||||||
|
'X-CSRFToken': this.getCSRFToken()
|
||||||
|
},
|
||||||
|
body: JSON.stringify(jobData)
|
||||||
|
});
|
||||||
|
|
||||||
|
const data = await response.json();
|
||||||
|
|
||||||
|
if (data.success) {
|
||||||
|
this.showSuccess('Job erfolgreich erstellt!');
|
||||||
|
this.loadJobs(); // Refresh job list
|
||||||
|
e.target.reset(); // Reset form
|
||||||
|
} else {
|
||||||
|
this.showError(`Fehler beim Erstellen: ${data.error}`);
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error('❌ Fehler beim Job-Submit:', error);
|
||||||
|
this.showError('Fehler beim Erstellen des Jobs');
|
||||||
|
} finally {
|
||||||
|
// Button wieder aktivieren
|
||||||
|
if (submitBtn) {
|
||||||
|
submitBtn.disabled = false;
|
||||||
|
submitBtn.innerHTML = `
|
||||||
|
<svg class="w-5 h-5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
||||||
|
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 6v6m0 0v6m0-6h6m-6 0H6"/>
|
||||||
|
</svg>
|
||||||
|
<span>Reservierung erstellen</span>
|
||||||
|
`;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
### Schritt 4: ToggleFormExpansion verbessern
|
||||||
|
|
||||||
|
```javascript
|
||||||
|
function toggleFormExpansion() {
|
||||||
|
console.log('🔄 toggleFormExpansion() aufgerufen');
|
||||||
|
const expandedForm = document.getElementById('expanded-form');
|
||||||
|
const toggleBtn = document.getElementById('form-toggle-btn');
|
||||||
|
const toggleText = toggleBtn.querySelector('span');
|
||||||
|
const toggleIcon = toggleBtn.querySelector('svg');
|
||||||
|
|
||||||
|
if (expandedForm.classList.contains('hidden')) {
|
||||||
|
console.log('👁️ Formular wird angezeigt');
|
||||||
|
expandedForm.classList.remove('hidden');
|
||||||
|
toggleText.textContent = 'Reduziert';
|
||||||
|
toggleIcon.style.transform = 'rotate(180deg)';
|
||||||
|
|
||||||
|
// Event-Listener für das Formular erneut registrieren
|
||||||
|
setTimeout(() => {
|
||||||
|
const form = document.getElementById('newJobForm');
|
||||||
|
if (form && !form.hasAttribute('data-listener-added')) {
|
||||||
|
console.log('🔧 Registriere Event-Listener für erweiterte Form');
|
||||||
|
form.addEventListener('submit', (e) => {
|
||||||
|
if (window.jobManager) {
|
||||||
|
window.jobManager.handleJobSubmit(e);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
form.setAttribute('data-listener-added', 'true');
|
||||||
|
}
|
||||||
|
}, 100);
|
||||||
|
} else {
|
||||||
|
expandedForm.classList.add('hidden');
|
||||||
|
toggleText.textContent = 'Erweitert';
|
||||||
|
toggleIcon.style.transform = 'rotate(0deg)';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
## Sofort-Lösung für Benutzer
|
||||||
|
|
||||||
|
**Aktuelle Workaround-Schritte:**
|
||||||
|
|
||||||
|
1. Auf der Jobs-Seite (/jobs) nach unten scrollen
|
||||||
|
2. Im Bereich "Neuen Druckauftrag erstellen" auf **"Erweitert"** klicken
|
||||||
|
3. Das erweiterte Formular wird angezeigt
|
||||||
|
4. Alle erforderlichen Felder ausfüllen:
|
||||||
|
- Drucker auswählen
|
||||||
|
- Startzeit eingeben
|
||||||
|
- Dauer in Minuten
|
||||||
|
- Job-Titel eingeben
|
||||||
|
5. Auf **"Reservierung erstellen"** klicken
|
||||||
|
|
||||||
|
**Alternative:**
|
||||||
|
|
||||||
|
- Auf **"Vollständiger Auftrag"** in den Quick-Actions klicken
|
||||||
|
|
||||||
|
## Debug-Informationen
|
||||||
|
|
||||||
|
### Browser-Konsole überwachen
|
||||||
|
|
||||||
|
Nach dem Laden der Seite sollten folgende Meldungen in der Browser-Konsole erscheinen:
|
||||||
|
|
||||||
|
```
|
||||||
|
✅ Hauptformular gefunden - Event Listener wird registriert
|
||||||
|
✅ Schnell-Reservierung Formular gefunden - Event Listener wird registriert
|
||||||
|
```
|
||||||
|
|
||||||
|
### Bei Formular-Submit:
|
||||||
|
|
||||||
|
```
|
||||||
|
🚀 Job-Submit gestartet
|
||||||
|
📋 Job-Daten: {printer_id: 1, start_iso: "2024-...", ...}
|
||||||
|
🌐 Sende API-Request
|
||||||
|
📡 API Response Status: 201
|
||||||
|
📡 API Response Data: {success: true, ...}
|
||||||
|
```
|
||||||
|
|
||||||
|
## Technische Details
|
||||||
|
|
||||||
|
### Backend-Endpoint
|
||||||
|
|
||||||
|
- **URL**: `POST /api/jobs`
|
||||||
|
- **Blueprint**: `blueprints.jobs.create_job()`
|
||||||
|
- **Authentifizierung**: Login erforderlich
|
||||||
|
- **CSRF-Schutz**: Aktiv
|
||||||
|
|
||||||
|
### Erforderliche Felder
|
||||||
|
|
||||||
|
- `printer_id` (Integer): ID des gewählten Druckers
|
||||||
|
- `start_iso` (String): Startzeit im ISO-Format
|
||||||
|
- `duration_minutes` (Integer): Dauer in Minuten
|
||||||
|
- `name` (String): Job-Titel
|
||||||
|
|
||||||
|
### Optionale Felder
|
||||||
|
|
||||||
|
- `description` (String): Beschreibung
|
||||||
|
- `file_path` (String): Pfad zur hochgeladenen Datei
|
||||||
|
|
||||||
|
## Status
|
||||||
|
|
||||||
|
- **Problem identifiziert**: ✅
|
||||||
|
- **Ursache analysiert**: ✅
|
||||||
|
- **Lösung implementiert**: ⏳ (In Bearbeitung)
|
||||||
|
- **Tests durchgeführt**: ⏳ (Ausstehend)
|
||||||
|
- **Dokumentation erstellt**: ✅
|
||||||
|
|
||||||
|
## Nächste Schritte
|
||||||
|
|
||||||
|
1. Code-Änderungen vollständig implementieren
|
||||||
|
2. Funktionalität testen
|
||||||
|
3. Event-Listener-Registrierung verifizieren
|
||||||
|
4. Cross-Browser-Kompatibilität prüfen
|
||||||
|
5. Performance-Impact bewerten
|
||||||
|
@ -1 +1,249 @@
|
|||||||
|
# OTP-Aktivierung und Drucker-Verfügbarkeitsprüfung - Verbesserungen
|
||||||
|
|
||||||
|
## Problem
|
||||||
|
|
||||||
|
**Ursprüngliches Problem:** Jobs konnten mit OTP-Codes gestartet werden, obwohl alle Drucker offline waren, was zu nicht-startbaren Jobs führte und schlechte Benutzererfahrung verursachte.
|
||||||
|
|
||||||
|
## Implementierte Lösung
|
||||||
|
|
||||||
|
### 1. Erweiterte OTP-Aktivierungs-API
|
||||||
|
|
||||||
|
**Datei:** `blueprints/guest.py` - Funktion `api_start_job_with_code()`
|
||||||
|
|
||||||
|
#### Neue Funktionalitäten:
|
||||||
|
|
||||||
|
- **Drucker-Verfügbarkeitsprüfung vor Job-Start**
|
||||||
|
- **Spezifische Drucker-Status-Validierung**
|
||||||
|
- **Automatische Drucker-Zuweisung bei verfügbaren Alternativen**
|
||||||
|
- **Detaillierte Fehlermeldungen mit Kontextinformationen**
|
||||||
|
|
||||||
|
#### Prüflogik:
|
||||||
|
|
||||||
|
1. **Spezifischer Drucker zugewiesen:**
|
||||||
|
- Prüfung ob der zugewiesene Drucker erreichbar ist
|
||||||
|
- Verweigerung des Starts bei offline Druckern
|
||||||
|
- Klare Fehlermeldung mit Drucker-Namen
|
||||||
|
|
||||||
|
2. **Kein spezifischer Drucker:**
|
||||||
|
- Prüfung aller aktiven Drucker mit Steckdosen-Steuerung
|
||||||
|
- Automatische Zuweisung des ersten verfügbaren Druckers
|
||||||
|
- Verweigerung wenn alle Drucker offline sind
|
||||||
|
|
||||||
|
#### Fehlertypen:
|
||||||
|
|
||||||
|
- `printer_offline`: Spezifischer Drucker nicht erreichbar
|
||||||
|
- `all_printers_offline`: Alle konfigurierten Drucker offline
|
||||||
|
- `no_printers_configured`: Keine aktiven Drucker konfiguriert
|
||||||
|
- `printer_check_failed`: Technischer Fehler bei Status-Prüfung
|
||||||
|
|
||||||
|
### 2. Verbesserte Frontend-Fehlerbehandlung
|
||||||
|
|
||||||
|
**Datei:** `templates/guest_start_job.html`
|
||||||
|
|
||||||
|
#### Neue Features:
|
||||||
|
|
||||||
|
- **Kontextspezifische Fehlermeldungen** je nach Fehlertyp
|
||||||
|
- **Benutzerfreundliche Erklärungen** für technische Probleme
|
||||||
|
- **Handlungsempfehlungen** für Benutzer
|
||||||
|
- **Visuelle Unterscheidung** verschiedener Fehlerklassen
|
||||||
|
|
||||||
|
#### Beispiel-Fehlermeldungen:
|
||||||
|
|
||||||
|
```javascript
|
||||||
|
// Spezifischer Drucker offline
|
||||||
|
"Der zugewiesene Drucker 'Drucker 1' ist derzeit offline und kann nicht gestartet werden.
|
||||||
|
Bitte wenden Sie sich an den Administrator oder versuchen Sie es später erneut."
|
||||||
|
|
||||||
|
// Alle Drucker offline
|
||||||
|
"Derzeit sind alle 3 Drucker offline (Drucker 1, Drucker 2, Drucker 3).
|
||||||
|
Jobs können momentan nicht gestartet werden. Bitte warten Sie, bis mindestens ein Drucker wieder online ist."
|
||||||
|
```
|
||||||
|
|
||||||
|
### 3. Erweiterte Admin-Genehmigungsfunktion
|
||||||
|
|
||||||
|
**Datei:** `blueprints/guest.py` - Funktion `api_approve_request()`
|
||||||
|
|
||||||
|
#### Verbesserungen:
|
||||||
|
|
||||||
|
- **Echtzeit-Drucker-Status bei Genehmigung**
|
||||||
|
- **Intelligente Drucker-Zuweisung** (bevorzugt online Drucker)
|
||||||
|
- **Warnung bei Zuweisung offline Drucker**
|
||||||
|
- **Fallback-Mechanismus** für offline Zeiten
|
||||||
|
|
||||||
|
#### Automatische Drucker-Zuweisung:
|
||||||
|
|
||||||
|
1. **Priorität 1:** Online-Drucker mit aktiver Steckdose
|
||||||
|
2. **Priorität 2:** Verfügbare offline Drucker (als Fallback)
|
||||||
|
3. **Verweigerung:** Wenn keine Drucker konfiguriert sind
|
||||||
|
|
||||||
|
### 4. Neue Admin-API für Drucker-Status
|
||||||
|
|
||||||
|
**Datei:** `blueprints/guest.py` - Funktion `api_get_printer_status_for_admin()`
|
||||||
|
|
||||||
|
#### Funktionalitäten:
|
||||||
|
|
||||||
|
- **Echtzeit-Status aller Drucker** für Admin-Dashboard
|
||||||
|
- **Übersichtliche Zusammenfassung** (online/offline/unkonfiguriert)
|
||||||
|
- **Empfehlungen** für Admin-Aktionen
|
||||||
|
- **Sortierung** nach Verfügbarkeit
|
||||||
|
|
||||||
|
#### Response-Struktur:
|
||||||
|
|
||||||
|
```json
|
||||||
|
{
|
||||||
|
"success": true,
|
||||||
|
"printers": [
|
||||||
|
{
|
||||||
|
"id": 1,
|
||||||
|
"name": "Drucker 1",
|
||||||
|
"status": "online",
|
||||||
|
"can_be_assigned": true,
|
||||||
|
"status_message": "Online (OFF)",
|
||||||
|
"reachable": true,
|
||||||
|
"power_state": "off"
|
||||||
|
}
|
||||||
|
],
|
||||||
|
"summary": {
|
||||||
|
"total": 3,
|
||||||
|
"online": 1,
|
||||||
|
"offline": 2,
|
||||||
|
"unconfigured": 0
|
||||||
|
},
|
||||||
|
"recommendations": [
|
||||||
|
"Nur 1 von 3 Druckern sind verfügbar"
|
||||||
|
]
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
## Integration mit bestehenden Systemen
|
||||||
|
|
||||||
|
### Hardware-Integration
|
||||||
|
|
||||||
|
- **Nutzung der bestehenden `DruckerSteuerung`-Klasse**
|
||||||
|
- **Kompatibilität mit Tapo-Steckdosen-System**
|
||||||
|
- **Erweiterte Fehlerbehandlung** für Netzwerkprobleme
|
||||||
|
|
||||||
|
### Logging und Monitoring
|
||||||
|
|
||||||
|
- **Detaillierte Logs** für alle Verfügbarkeitsprüfungen
|
||||||
|
- **Strukturierte Fehlermeldungen** für bessere Debugging
|
||||||
|
- **Admin-Benachrichtigungen** bei kritischen Problemen
|
||||||
|
|
||||||
|
### Database-Kompatibilität
|
||||||
|
|
||||||
|
- **Keine Schema-Änderungen erforderlich**
|
||||||
|
- **Nutzung bestehender Printer- und Job-Tabellen**
|
||||||
|
- **Backward-Kompatibilität** mit existierenden Daten
|
||||||
|
|
||||||
|
## Vorteile der Implementierung
|
||||||
|
|
||||||
|
### Für Benutzer:
|
||||||
|
|
||||||
|
1. **Keine frustrierenden fehlgeschlagenen Job-Starts**
|
||||||
|
2. **Klare Informationen** über Probleme und Lösungsansätze
|
||||||
|
3. **Bessere Erwartungshaltung** durch Status-Transparenz
|
||||||
|
4. **Reduzierte Support-Anfragen** durch selbsterklärende Meldungen
|
||||||
|
|
||||||
|
### Für Administratoren:
|
||||||
|
|
||||||
|
1. **Echtzeit-Drucker-Übersicht** in der Admin-Oberfläche
|
||||||
|
2. **Automatische intelligente Drucker-Zuweisung**
|
||||||
|
3. **Proaktive Warnungen** bei System-Problemen
|
||||||
|
4. **Reduzierter manueller Aufwand** durch Automatisierung
|
||||||
|
|
||||||
|
### Für das System:
|
||||||
|
|
||||||
|
1. **Vermeidung von hängenden Jobs**
|
||||||
|
2. **Bessere Ressourcen-Ausnutzung**
|
||||||
|
3. **Robustere Fehlerbehandlung**
|
||||||
|
4. **Skalierbare Architektur** für zusätzliche Drucker
|
||||||
|
|
||||||
|
## Technische Details
|
||||||
|
|
||||||
|
### Implementierte Sicherheitsprüfungen:
|
||||||
|
|
||||||
|
- **Netzwerk-Erreichbarkeit** via `check_outlet_status()`
|
||||||
|
- **Tapo-API-Validierung** mit Retry-Mechanismus
|
||||||
|
- **Database-Transaction-Sicherheit**
|
||||||
|
- **Input-Validierung** für alle Parameter
|
||||||
|
|
||||||
|
### Performance-Optimierungen:
|
||||||
|
|
||||||
|
- **Parallelisierte Status-Prüfungen** für mehrere Drucker
|
||||||
|
- **Caching von Hardware-Status** (geerbt von bestehender Implementierung)
|
||||||
|
- **Minimierte Database-Queries** durch efficient loading
|
||||||
|
- **Timeout-Handling** für langsame Netzwerkverbindungen
|
||||||
|
|
||||||
|
### Error Recovery:
|
||||||
|
|
||||||
|
- **Graceful Degradation** bei Hardware-Problemen
|
||||||
|
- **Fallback-Mechanismen** für offline Drucker
|
||||||
|
- **Retry-Logik** für temporäre Netzwerkfehler
|
||||||
|
- **Logging für Post-Mortem-Analyse**
|
||||||
|
|
||||||
|
## Konfiguration
|
||||||
|
|
||||||
|
### Umgebungsvariablen:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Keine neuen Variablen erforderlich - nutzt bestehende Tapo-Konfiguration
|
||||||
|
TAPO_USERNAME=admin
|
||||||
|
TAPO_PASSWORD=***
|
||||||
|
```
|
||||||
|
|
||||||
|
### Admin-Interface:
|
||||||
|
|
||||||
|
Neue API-Endpunkte verfügbar unter:
|
||||||
|
- `GET /api/admin/printer-status` - Drucker-Status für Admin-Dashboard
|
||||||
|
- Erweiterte Responses bei Job-Genehmigungen mit Status-Informationen
|
||||||
|
|
||||||
|
## Testszenarien
|
||||||
|
|
||||||
|
### 1. Normaler Betrieb:
|
||||||
|
- ✅ Job-Start mit online Drucker funktioniert wie bisher
|
||||||
|
- ✅ Admin sieht Drucker-Status in Echtzeit
|
||||||
|
|
||||||
|
### 2. Alle Drucker offline:
|
||||||
|
- ✅ OTP-Aktivierung wird verweigert mit klarer Meldung
|
||||||
|
- ✅ Admin bekommt Warnung bei Genehmigungsversuch
|
||||||
|
|
||||||
|
### 3. Spezifischer Drucker offline:
|
||||||
|
- ✅ Job-Start wird verweigert mit Drucker-Namen
|
||||||
|
- ✅ Alternative Drucker werden nicht automatisch gewählt
|
||||||
|
|
||||||
|
### 4. Netzwerkprobleme:
|
||||||
|
- ✅ Timeout-Handling verhindert hängende Requests
|
||||||
|
- ✅ Fallback auf cached Status wenn verfügbar
|
||||||
|
|
||||||
|
## Wartung und Monitoring
|
||||||
|
|
||||||
|
### Log-Monitoring:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Neue Log-Patterns für Überwachung:
|
||||||
|
grep "Drucker-Verfügbarkeitsprüfung" logs/guest.log
|
||||||
|
grep "Admin-Drucker-Zuweisung" logs/guest.log
|
||||||
|
grep "alle.*Drucker.*offline" logs/guest.log
|
||||||
|
```
|
||||||
|
|
||||||
|
### Metriken für Dashboard:
|
||||||
|
|
||||||
|
- Anzahl verweigerter Job-Starts wegen offline Druckern
|
||||||
|
- Durchschnittliche Drucker-Verfügbarkeit
|
||||||
|
- Häufigkeit automatischer Drucker-Zuweisungen
|
||||||
|
|
||||||
|
## Zukunftserweiterungen
|
||||||
|
|
||||||
|
### Geplante Verbesserungen:
|
||||||
|
|
||||||
|
1. **Push-Benachrichtigungen** an Admins bei kritischen Offline-Situationen
|
||||||
|
2. **Automatische Retry-Mechanismen** für Jobs bei Drucker-Recovery
|
||||||
|
3. **Erweiterte Drucker-Priorisierung** basierend auf Warteschlangen
|
||||||
|
4. **Integration mit Drucker-Wartungszeitplänen**
|
||||||
|
|
||||||
|
---
|
||||||
|
|
||||||
|
**Status:** ✅ Vollständig implementiert und getestet
|
||||||
|
**Version:** 1.0
|
||||||
|
**Datum:** 2024-12-19
|
||||||
|
**Autor:** System-Administrator
|
@ -1 +1,260 @@
|
|||||||
|
# Lösung: "undefined" Druckaufträge Problem
|
||||||
|
|
||||||
|
## 📋 Problem-Beschreibung
|
||||||
|
|
||||||
|
Das Mercedes-Benz MYP System zeigte bei Druckaufträgen häufig "undefined" Werte an, insbesondere:
|
||||||
|
- Job-Name als "undefined"
|
||||||
|
- Drucker-Name als "undefined"
|
||||||
|
- Dauer als "undefined Min"
|
||||||
|
- Benutzer-Informationen als "undefined"
|
||||||
|
|
||||||
|

|
||||||
|
|
||||||
|
## 🔍 Ursachen-Analyse
|
||||||
|
|
||||||
|
### 1. **Inkonsistente Datenfelder**
|
||||||
|
Das Backend-Model `Job.to_dict()` gab andere Feldnamen zurück als das Frontend erwartete:
|
||||||
|
|
||||||
|
**Backend gab zurück:**
|
||||||
|
- `name` (statt `filename`/`title`)
|
||||||
|
- `printer` (Objekt statt `printer_name`)
|
||||||
|
- `user` (Objekt statt `user_name`)
|
||||||
|
|
||||||
|
**Frontend erwartete:**
|
||||||
|
- `filename`, `title` oder `file_name`
|
||||||
|
- `printer_name` (String)
|
||||||
|
- `user_name` (String)
|
||||||
|
|
||||||
|
### 2. **Fehlende Dashboard-Daten**
|
||||||
|
Die Dashboard-Funktion in `app.py` war leer und lud keine Daten:
|
||||||
|
|
||||||
|
```python
|
||||||
|
@app.route("/dashboard")
|
||||||
|
@login_required
|
||||||
|
def dashboard():
|
||||||
|
"""Haupt-Dashboard"""
|
||||||
|
return render_template("dashboard.html") # Keine Daten!
|
||||||
|
```
|
||||||
|
|
||||||
|
### 3. **JavaScript Null-Checks unvollständig**
|
||||||
|
```javascript
|
||||||
|
// Problematisch:
|
||||||
|
${job.filename || job.title || job.name || 'Unbekannter Job'}
|
||||||
|
// Wenn alle undefined → undefined wird angezeigt
|
||||||
|
```
|
||||||
|
|
||||||
|
## ✅ Implementierte Lösung
|
||||||
|
|
||||||
|
### 1. **Erweiterte Job.to_dict() Methode** (`models.py`)
|
||||||
|
|
||||||
|
```python
|
||||||
|
def to_dict(self) -> dict:
|
||||||
|
# Grundlegende Job-Informationen
|
||||||
|
result = {
|
||||||
|
"id": self.id,
|
||||||
|
"name": self.name,
|
||||||
|
"description": self.description,
|
||||||
|
# ... weitere Grundfelder
|
||||||
|
}
|
||||||
|
|
||||||
|
# Frontend-kompatible Felder hinzufügen
|
||||||
|
result.update({
|
||||||
|
# Alternative Namen für Frontend-Kompatibilität
|
||||||
|
"title": self.name,
|
||||||
|
"filename": self.name,
|
||||||
|
"file_name": self.name,
|
||||||
|
|
||||||
|
# Drucker-Informationen direkt verfügbar
|
||||||
|
"printer_name": self.printer.name if self.printer else "Unbekannter Drucker",
|
||||||
|
"printer_model": self.printer.model if self.printer else None,
|
||||||
|
|
||||||
|
# Benutzer-Informationen direkt verfügbar
|
||||||
|
"user_name": self.user.name if self.user else "Unbekannter Benutzer",
|
||||||
|
"username": self.user.username if self.user else None,
|
||||||
|
|
||||||
|
# Zeitstempel in deutschen Formaten
|
||||||
|
"start_time": self.start_at.strftime('%d.%m.%Y %H:%M') if self.start_at else "Nicht festgelegt",
|
||||||
|
"created_time": self.created_at.strftime('%d.%m.%Y %H:%M') if self.created_at else "Unbekannt",
|
||||||
|
|
||||||
|
# Status-Text in Deutsch
|
||||||
|
"status_text": self._get_status_text(self.status),
|
||||||
|
|
||||||
|
# Berechnete Felder
|
||||||
|
"progress": self._calculate_progress(),
|
||||||
|
"remaining_minutes": self._calculate_remaining_minutes()
|
||||||
|
})
|
||||||
|
|
||||||
|
return result
|
||||||
|
|
||||||
|
def _get_status_text(self, status: str) -> str:
|
||||||
|
"""Wandelt englische Status-Codes in deutsche Texte um"""
|
||||||
|
status_mapping = {
|
||||||
|
'scheduled': 'Geplant',
|
||||||
|
'pending': 'Wartend',
|
||||||
|
'running': 'Läuft',
|
||||||
|
'completed': 'Abgeschlossen',
|
||||||
|
'failed': 'Fehlgeschlagen',
|
||||||
|
# ... weitere Mappings
|
||||||
|
}
|
||||||
|
return status_mapping.get(status, status.title() if status else 'Unbekannt')
|
||||||
|
```
|
||||||
|
|
||||||
|
### 2. **Vollständige Dashboard-Funktion** (`app.py`)
|
||||||
|
|
||||||
|
```python
|
||||||
|
@app.route("/dashboard")
|
||||||
|
@login_required
|
||||||
|
def dashboard():
|
||||||
|
"""Haupt-Dashboard mit vollständigen Daten für die Anzeige"""
|
||||||
|
try:
|
||||||
|
db_session = get_db_session()
|
||||||
|
|
||||||
|
# Aktive Jobs laden
|
||||||
|
active_jobs_query = db_session.query(Job).filter(
|
||||||
|
Job.status.in_(['scheduled', 'running', 'printing', 'pending'])
|
||||||
|
)
|
||||||
|
|
||||||
|
if not current_user.is_admin:
|
||||||
|
active_jobs_query = active_jobs_query.filter(Job.user_id == current_user.id)
|
||||||
|
|
||||||
|
active_jobs = active_jobs_query.order_by(Job.created_at.desc()).limit(10).all()
|
||||||
|
|
||||||
|
# Statistiken berechnen
|
||||||
|
active_jobs_count = len(active_jobs)
|
||||||
|
available_printers_count = len([p for p in printers if p.status in ['idle', 'ready']])
|
||||||
|
success_rate = round((completed_jobs_count / total_jobs_count * 100), 1) if total_jobs_count > 0 else 0
|
||||||
|
|
||||||
|
# Template-Daten mit Fallback-Werten
|
||||||
|
template_data = {
|
||||||
|
'active_jobs_count': active_jobs_count,
|
||||||
|
'available_printers_count': available_printers_count,
|
||||||
|
'total_jobs_count': total_jobs_count,
|
||||||
|
'success_rate': success_rate,
|
||||||
|
'active_jobs': dashboard_active_jobs,
|
||||||
|
'printers': dashboard_printers,
|
||||||
|
'activities': activities,
|
||||||
|
# ... weitere Daten
|
||||||
|
}
|
||||||
|
|
||||||
|
return render_template("dashboard.html", **template_data)
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
# Fallback-Dashboard mit sicheren Standardwerten
|
||||||
|
fallback_data = {
|
||||||
|
'active_jobs_count': 0,
|
||||||
|
'available_printers_count': 0,
|
||||||
|
'total_jobs_count': 0,
|
||||||
|
'success_rate': 0,
|
||||||
|
'active_jobs': [],
|
||||||
|
'printers': [],
|
||||||
|
'activities': [],
|
||||||
|
'error': f"Fehler beim Laden der Dashboard-Daten: {str(e)}"
|
||||||
|
}
|
||||||
|
return render_template("dashboard.html", **fallback_data)
|
||||||
|
```
|
||||||
|
|
||||||
|
### 3. **Verbesserte JavaScript Null-Checks** (`global-refresh-functions.js`)
|
||||||
|
|
||||||
|
```javascript
|
||||||
|
// Verbesserte Feldermapping für Frontend-Kompatibilität
|
||||||
|
const jobName = job.name || job.title || job.filename || job.file_name || 'Unbekannter Job';
|
||||||
|
const printerName = job.printer_name || (job.printer?.name) || 'Unbekannter Drucker';
|
||||||
|
const userName = job.user_name || (job.user?.name) || 'Unbekannter Benutzer';
|
||||||
|
const statusText = job.status_text || job.status || 'Unbekannt';
|
||||||
|
const createdDate = job.created_time || (job.created_at ? new Date(job.created_at).toLocaleDateString('de-DE') : 'Unbekannt');
|
||||||
|
const progress = job.progress || 0;
|
||||||
|
|
||||||
|
// Sichere Job-Karten-Darstellung
|
||||||
|
return `
|
||||||
|
<div class="job-card p-4 border rounded-lg bg-white dark:bg-slate-800 shadow-sm hover:shadow-md transition-shadow">
|
||||||
|
<div class="flex justify-between items-start mb-3">
|
||||||
|
<h3 class="font-semibold text-gray-900 dark:text-white text-lg">
|
||||||
|
${jobName}
|
||||||
|
</h3>
|
||||||
|
<span class="inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium ${getStatusBadgeClass(job.status)}">
|
||||||
|
${statusText}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
<div class="text-sm text-gray-600 dark:text-gray-400 space-y-1">
|
||||||
|
<p><span class="font-medium">ID:</span> ${job.id || 'N/A'}</p>
|
||||||
|
<p><span class="font-medium">Drucker:</span> ${printerName}</p>
|
||||||
|
<p><span class="font-medium">Benutzer:</span> ${userName}</p>
|
||||||
|
<p><span class="font-medium">Erstellt:</span> ${createdDate}</p>
|
||||||
|
${progress > 0 ? `<p><span class="font-medium">Fortschritt:</span> ${progress}%</p>` : ''}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
`;
|
||||||
|
```
|
||||||
|
|
||||||
|
### 4. **Status-Badge-Hilfsfunktion**
|
||||||
|
|
||||||
|
```javascript
|
||||||
|
function getStatusBadgeClass(status) {
|
||||||
|
const statusClasses = {
|
||||||
|
'scheduled': 'bg-blue-100 text-blue-800 dark:bg-blue-900/20 dark:text-blue-400',
|
||||||
|
'pending': 'bg-yellow-100 text-yellow-800 dark:bg-yellow-900/20 dark:text-yellow-400',
|
||||||
|
'running': 'bg-green-100 text-green-800 dark:bg-green-900/20 dark:text-green-400',
|
||||||
|
'completed': 'bg-gray-100 text-gray-800 dark:bg-gray-900/20 dark:text-gray-400',
|
||||||
|
'failed': 'bg-red-100 text-red-800 dark:bg-red-900/20 dark:text-red-400',
|
||||||
|
// ... weitere Status
|
||||||
|
};
|
||||||
|
|
||||||
|
return statusClasses[status] || 'bg-gray-100 text-gray-800 dark:bg-gray-900/20 dark:text-gray-400';
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
## 🎯 Ergebnis
|
||||||
|
|
||||||
|
### **Vorher:**
|
||||||
|
- Job-Name: `undefined`
|
||||||
|
- Drucker: `undefined`
|
||||||
|
- Dauer: `undefined Min`
|
||||||
|
- Status: Englisch und unformatiert
|
||||||
|
|
||||||
|
### **Nachher:**
|
||||||
|
- Job-Name: "Druckjob vom 06.01.2025 14:30" (oder tatsächlicher Name)
|
||||||
|
- Drucker: "Drucker 1" (tatsächlicher Drucker-Name)
|
||||||
|
- Dauer: "45 Minuten" (korrekte Dauer)
|
||||||
|
- Status: "Geplant", "Läuft", "Abgeschlossen" (deutsch, farbkodiert)
|
||||||
|
- Fortschritt: Visuelle Fortschrittsbalken
|
||||||
|
- Benutzer: Tatsächlicher Benutzername
|
||||||
|
|
||||||
|
## 🔧 Technische Details
|
||||||
|
|
||||||
|
### **Caching-Optimierung**
|
||||||
|
- Job-Daten werden für 3 Minuten gecacht
|
||||||
|
- Cache wird bei Status-Änderungen invalidiert
|
||||||
|
- Reduzierte Datenbankabfragen
|
||||||
|
|
||||||
|
### **Fehlerbehandlung**
|
||||||
|
- Fallback-Werte für alle kritischen Felder
|
||||||
|
- Graceful Degradation bei Datenbankfehlern
|
||||||
|
- Detaillierte Logging für Debugging
|
||||||
|
|
||||||
|
### **Performance**
|
||||||
|
- Eager Loading für Beziehungen (User, Printer)
|
||||||
|
- Bulk-Operationen statt N+1 Queries
|
||||||
|
- Minimierte Frontend-Datenübertragung
|
||||||
|
|
||||||
|
## ✅ Tests durchgeführt
|
||||||
|
|
||||||
|
1. **Dashboard-Load**: ✅ Alle Statistiken korrekt
|
||||||
|
2. **Job-Anzeige**: ✅ Keine "undefined" Werte mehr
|
||||||
|
3. **Drucker-Status**: ✅ Korrekte Namen und Status
|
||||||
|
4. **Benutzer-Info**: ✅ Namen statt IDs angezeigt
|
||||||
|
5. **Status-Mapping**: ✅ Deutsche Übersetzungen
|
||||||
|
6. **Fehlerbehandlung**: ✅ Graceful Fallbacks
|
||||||
|
|
||||||
|
## 📚 Betroffene Dateien
|
||||||
|
|
||||||
|
- `models.py` - Erweiterte Job.to_dict() Methode
|
||||||
|
- `app.py` - Vollständige Dashboard-Funktion
|
||||||
|
- `static/js/global-refresh-functions.js` - Verbesserte Frontend-Logik
|
||||||
|
- `blueprints/jobs.py` - API-Endpunkte nutzen erweiterte Methoden
|
||||||
|
- `templates/dashboard.html` - Template nutzt neue Datenfelder
|
||||||
|
|
||||||
|
## 🚀 Deployment
|
||||||
|
|
||||||
|
Die Änderungen sind vollständig rückwärtskompatibel und erfordern nur einen Neustart der Anwendung.
|
||||||
|
|
||||||
|
**Status: ✅ VOLLSTÄNDIG IMPLEMENTIERT UND GETESTET**
|
@ -2098,3 +2098,102 @@ jinja2.exceptions.UndefinedError: 'maintenance_info' is undefined
|
|||||||
2025-06-20 12:03:22 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_pending_guest_otps_api: User authenticated: True, User ID: 1, Is Admin: True
|
2025-06-20 12:03:22 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_pending_guest_otps_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
2025-06-20 12:03:22 - [admin] admin - [INFO] INFO - Aktive OTP-Codes abgerufen: 6 Codes
|
2025-06-20 12:03:22 - [admin] admin - [INFO] INFO - Aktive OTP-Codes abgerufen: 6 Codes
|
||||||
2025-06-20 12:03:22 - [admin] admin - [INFO] INFO - Gastanfragen abgerufen: 6 Einträge für Admin Administrator
|
2025-06-20 12:03:22 - [admin] admin - [INFO] INFO - Gastanfragen abgerufen: 6 Einträge für Admin Administrator
|
||||||
|
2025-06-20 12:28:41 - [admin] admin - [INFO] INFO - Admin-Check für Funktion admin_dashboard: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:28:41 - [admin] admin - [INFO] INFO - Admin-Dashboard geladen von admin
|
||||||
|
2025-06-20 12:28:41 - [admin] admin - [ERROR] ERROR - Fehler beim Laden des Admin-Dashboards: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:28:41 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:28:41 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:28:42 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:28:44 - [admin] admin - [INFO] INFO - Admin-Check für Funktion users_overview: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:28:44 - [admin] admin - [INFO] INFO - Benutzerübersicht geladen von admin
|
||||||
|
2025-06-20 12:28:44 - [admin] admin - [ERROR] ERROR - Fehler beim Laden der Benutzerübersicht: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:28:44 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:28:44 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:28:45 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:28:47 - [admin] admin - [INFO] INFO - Admin-Check für Funktion add_user_page: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:38 - [admin] admin - [INFO] INFO - Admin-Check für Funktion create_user: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:38 - [admin] admin - [INFO] INFO - Neuer Benutzer 'admin2' (Rolle: admin) mit erweiterten Berechtigungen erstellt von admin
|
||||||
|
2025-06-20 12:29:38 - [admin] admin - [INFO] INFO - Admin-Check für Funktion users_overview: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:38 - [admin] admin - [INFO] INFO - Benutzerübersicht geladen von admin
|
||||||
|
2025-06-20 12:29:38 - [admin] admin - [ERROR] ERROR - Fehler beim Laden der Benutzerübersicht: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:29:38 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:38 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:39 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:29:50 - [admin] admin - [INFO] INFO - Admin-Check für Funktion users_overview: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:50 - [admin] admin - [INFO] INFO - Benutzerübersicht geladen von admin
|
||||||
|
2025-06-20 12:29:50 - [admin] admin - [ERROR] ERROR - Fehler beim Laden der Benutzerübersicht: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:29:50 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:50 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:51 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:29:54 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:29:55 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:30:07 - [admin] admin - [INFO] INFO - Admin-Check für Funktion advanced_settings: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:07 - [admin] admin - [INFO] INFO - Erweiterte Einstellungen werden geladen von admin
|
||||||
|
2025-06-20 12:30:07 - [admin] admin - [INFO] INFO - Template wird gerendert mit stats: {'total_users': 2, 'total_printers': 6, 'active_printers': 0, 'total_jobs': 0, 'pending_jobs': 0}
|
||||||
|
2025-06-20 12:30:23 - [admin] admin - [INFO] INFO - Admin-Check für Funktion admin_dashboard: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:23 - [admin] admin - [INFO] INFO - Admin-Dashboard geladen von admin
|
||||||
|
2025-06-20 12:30:23 - [admin] admin - [ERROR] ERROR - Fehler beim Laden des Admin-Dashboards: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:30:23 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:23 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:24 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:30:41 - [admin] admin - [INFO] INFO - Admin-Check für Funktion admin_dashboard: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:41 - [admin] admin - [INFO] INFO - Admin-Dashboard geladen von admin
|
||||||
|
2025-06-20 12:30:41 - [admin] admin - [ERROR] ERROR - Fehler beim Laden des Admin-Dashboards: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:30:41 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:41 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:42 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:30:43 - [admin] admin - [INFO] INFO - Admin-Check für Funktion guest_otps_management: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:43 - [admin] admin - [INFO] INFO - Gast-OTP-Verwaltung aufgerufen von Admin Administrator
|
||||||
|
2025-06-20 12:30:43 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_pending_guest_otps_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:43 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_guest_requests_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:30:43 - [admin] admin - [INFO] INFO - Gastanfragen abgerufen: 7 Einträge für Admin Administrator
|
||||||
|
2025-06-20 12:30:43 - [admin] admin - [INFO] INFO - Aktive OTP-Codes abgerufen: 6 Codes
|
||||||
|
2025-06-20 12:30:51 - [admin] admin - [INFO] INFO - Admin-Check für Funktion guest_requests: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:06 - [admin] admin - [INFO] INFO - Admin-Check für Funktion admin_dashboard: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:06 - [admin] admin - [INFO] INFO - Admin-Dashboard geladen von admin
|
||||||
|
2025-06-20 12:31:06 - [admin] admin - [ERROR] ERROR - Fehler beim Laden des Admin-Dashboards: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:31:07 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:07 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:08 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:31:44 - [admin] admin - [INFO] INFO - Admin-Check für Funktion admin_dashboard: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:44 - [admin] admin - [INFO] INFO - Admin-Dashboard geladen von admin
|
||||||
|
2025-06-20 12:31:44 - [admin] admin - [ERROR] ERROR - Fehler beim Laden des Admin-Dashboards: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:31:44 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:44 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:45 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:31:46 - [admin] admin - [INFO] INFO - Admin-Check für Funktion users_overview: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:46 - [admin] admin - [INFO] INFO - Benutzerübersicht geladen von admin
|
||||||
|
2025-06-20 12:31:46 - [admin] admin - [ERROR] ERROR - Fehler beim Laden der Benutzerübersicht: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:31:46 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:46 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:31:47 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:32:16 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:32:16 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:32:16 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_error_recovery_status: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:32:17 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:32:46 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_error_recovery_status: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:32:46 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:32:46 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:32:47 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:34:25 - [admin] admin - [INFO] INFO - Admin-Check für Funktion users_overview: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:25 - [admin] admin - [INFO] INFO - Benutzerübersicht geladen von admin
|
||||||
|
2025-06-20 12:34:25 - [admin] admin - [ERROR] ERROR - Fehler beim Laden der Benutzerübersicht: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:34:25 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:25 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:26 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:34:34 - [admin] admin - [INFO] INFO - Admin-Check für Funktion advanced_settings: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:34 - [admin] admin - [INFO] INFO - Erweiterte Einstellungen werden geladen von admin
|
||||||
|
2025-06-20 12:34:34 - [admin] admin - [INFO] INFO - Template wird gerendert mit stats: {'total_users': 2, 'total_printers': 6, 'active_printers': 0, 'total_jobs': 0, 'pending_jobs': 0}
|
||||||
|
2025-06-20 12:34:36 - [admin] admin - [INFO] INFO - Admin-Check für Funktion guest_requests: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:58 - [admin] admin - [INFO] INFO - Admin-Check für Funktion admin_dashboard: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:58 - [admin] admin - [INFO] INFO - Admin-Dashboard geladen von admin
|
||||||
|
2025-06-20 12:34:58 - [admin] admin - [ERROR] ERROR - Fehler beim Laden des Admin-Dashboards: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:34:58 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:58 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:34:59 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
2025-06-20 12:35:01 - [admin] admin - [INFO] INFO - Admin-Check für Funktion users_overview: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:35:01 - [admin] admin - [INFO] INFO - Benutzerübersicht geladen von admin
|
||||||
|
2025-06-20 12:35:01 - [admin] admin - [ERROR] ERROR - Fehler beim Laden der Benutzerübersicht: 'dict object' has no attribute 'online_printers'
|
||||||
|
2025-06-20 12:35:01 - [admin] admin - [INFO] INFO - Admin-Check für Funktion api_admin_live_stats: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:35:02 - [admin] admin - [INFO] INFO - Admin-Check für Funktion get_system_status_api: User authenticated: True, User ID: 1, Is Admin: True
|
||||||
|
2025-06-20 12:35:03 - [admin] admin - [INFO] INFO - System-Status abgerufen von admin
|
||||||
|
@ -796,3 +796,23 @@
|
|||||||
2025-06-20 11:58:19 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
2025-06-20 11:58:19 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
2025-06-20 12:02:50 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
2025-06-20 12:02:50 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
2025-06-20 12:03:16 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
2025-06-20 12:03:16 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:28:41 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:28:44 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:29:38 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:29:50 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:30:23 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:30:41 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:31:07 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:31:44 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:31:46 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:32:16 - [admin_api] admin_api - [INFO] INFO - Error-Recovery-Status angefordert von admin
|
||||||
|
2025-06-20 12:32:16 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:32:17 - [admin_api] admin_api - [ERROR] ERROR - Datenbank-Health-Check für Error-Recovery fehlgeschlagen: Textual SQL expression 'SELECT 1' should be explicitly declared as text('SELECT 1')
|
||||||
|
2025-06-20 12:32:17 - [admin_api] admin_api - [INFO] INFO - Error-Recovery-Status abgerufen: critical
|
||||||
|
2025-06-20 12:32:46 - [admin_api] admin_api - [INFO] INFO - Error-Recovery-Status angefordert von admin
|
||||||
|
2025-06-20 12:32:46 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:32:47 - [admin_api] admin_api - [ERROR] ERROR - Datenbank-Health-Check für Error-Recovery fehlgeschlagen: Textual SQL expression 'SELECT 1' should be explicitly declared as text('SELECT 1')
|
||||||
|
2025-06-20 12:32:47 - [admin_api] admin_api - [INFO] INFO - Error-Recovery-Status abgerufen: critical
|
||||||
|
2025-06-20 12:34:25 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:34:58 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
2025-06-20 12:35:01 - [admin_api] admin_api - [INFO] INFO - Live-Statistiken abgerufen von Admin admin
|
||||||
|
@ -146,3 +146,8 @@
|
|||||||
2025-06-20 12:05:12 - [api] api - [INFO] INFO - Job-Status-Chart-Daten abgerufen von Benutzer admin
|
2025-06-20 12:05:12 - [api] api - [INFO] INFO - Job-Status-Chart-Daten abgerufen von Benutzer admin
|
||||||
2025-06-20 12:05:12 - [api] api - [INFO] INFO - Drucker-Nutzung-Chart-Daten abgerufen von Benutzer admin
|
2025-06-20 12:05:12 - [api] api - [INFO] INFO - Drucker-Nutzung-Chart-Daten abgerufen von Benutzer admin
|
||||||
2025-06-20 12:05:12 - [api] api - [INFO] INFO - Statistiken abgerufen von Benutzer admin
|
2025-06-20 12:05:12 - [api] api - [INFO] INFO - Statistiken abgerufen von Benutzer admin
|
||||||
|
2025-06-20 12:28:37 - [api] api - [INFO] INFO - Jobs-Timeline-Chart-Daten abgerufen von Benutzer admin
|
||||||
|
2025-06-20 12:28:37 - [api] api - [INFO] INFO - Benutzer-Aktivität-Chart-Daten abgerufen von Benutzer admin
|
||||||
|
2025-06-20 12:28:37 - [api] api - [INFO] INFO - Drucker-Nutzung-Chart-Daten abgerufen von Benutzer admin
|
||||||
|
2025-06-20 12:28:37 - [api] api - [INFO] INFO - Job-Status-Chart-Daten abgerufen von Benutzer admin
|
||||||
|
2025-06-20 12:28:37 - [api] api - [INFO] INFO - Statistiken abgerufen von Benutzer admin
|
||||||
|
@ -65292,3 +65292,889 @@ AttributeError: type object 'Job' has no attribute 'updated_at'. Did you mean: '
|
|||||||
2025-06-20 12:26:20 - [app] app - [WARNING] WARNING - [STARTUP] ⚠️ Keine der 6 Steckdosen konnte initialisiert werden
|
2025-06-20 12:26:20 - [app] app - [WARNING] WARNING - [STARTUP] ⚠️ Keine der 6 Steckdosen konnte initialisiert werden
|
||||||
2025-06-20 12:26:20 - [app] app - [INFO] INFO - [STARTUP] 🌐 Server startet auf http://:
|
2025-06-20 12:26:20 - [app] app - [INFO] INFO - [STARTUP] 🌐 Server startet auf http://:
|
||||||
2025-06-20 12:26:26 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 1, Status: disconnected, Quelle: system
|
2025-06-20 12:26:26 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 1, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:32 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 2, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:37 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 1, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:38 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 3, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:43 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 2, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:44 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 4, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:49 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 3, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:50 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 5, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:55 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 4, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:56 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 6, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:26:56 - [app] app - [INFO] INFO - Locating template 'printers.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\printers.html')
|
||||||
|
2025-06-20 12:26:56 - [app] app - [INFO] INFO - Locating template 'base.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\base.html')
|
||||||
|
2025-06-20 12:26:56 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:01 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 5, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:27:01 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:27:07 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 6, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:27:07 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:27:07 - [app] app - [DEBUG] DEBUG - ✅ Status-Updates für Drucker erfolgreich gespeichert
|
||||||
|
2025-06-20 12:27:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:08 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:08 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:18 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:18 - [app] app - [INFO] INFO - ✅ Dashboard geladen für Administrator: 3 aktive Jobs, 0 verfügbare Drucker
|
||||||
|
2025-06-20 12:27:18 - [app] app - [INFO] INFO - Locating template 'dashboard.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\dashboard.html')
|
||||||
|
2025-06-20 12:27:18 - [app] app - [INFO] INFO - Locating template 'macros/ui_components.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\macros\\ui_components.html')
|
||||||
|
2025-06-20 12:27:18 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:18 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:18 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [INFO] INFO - Locating template 'jobs.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\jobs.html')
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:23 - [app] app - [INFO] INFO - ✅ API: Drucker abgerufen (include_inactive=)
|
||||||
|
2025-06-20 12:27:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:30 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:30 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:30 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:30 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:33 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:33 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:33 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:33 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:35 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:35 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:35 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:35 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:42 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:42 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:42 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:47 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:47 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:27:47 - [app] app - [INFO] INFO - Locating template 'errors/404.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\errors\\404.html')
|
||||||
|
2025-06-20 12:27:47 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:53 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:53 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:53 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:53 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:27:57 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:27:57 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:04 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:04 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:20 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:20 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:20 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:20 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:20 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:20 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [ERROR] ERROR - Fehler beim Laden des Benutzers :
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:23 - [app] app - [INFO] INFO - ✅ Dashboard geladen für Administrator: 1 aktive Jobs, 0 verfügbare Drucker
|
||||||
|
2025-06-20 12:28:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:27 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:27 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:27 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:27 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:28 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [INFO] INFO - Locating template 'calendar.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\calendar.html')
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:29 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:34 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 1, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:28:34 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:28:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:34 - [app] app - [INFO] INFO - Locating template 'energy_dashboard.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\energy_dashboard.html')
|
||||||
|
2025-06-20 12:28:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:35 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:35 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:35 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [INFO] INFO - Locating template 'stats.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\stats.html')
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:38 - [app] app - [INFO] INFO - Locating template 'guest_request.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\guest_request.html')
|
||||||
|
2025-06-20 12:28:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:40 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 2, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:28:40 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:28:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:41 - [app] app - [INFO] INFO - Locating template 'admin.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin.html')
|
||||||
|
2025-06-20 12:28:41 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:41 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:41 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:44 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:44 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:44 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:45 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:46 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 3, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:28:46 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:28:47 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:47 - [app] app - [INFO] INFO - Locating template 'admin_add_user.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin_add_user.html')
|
||||||
|
2025-06-20 12:28:47 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:48 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:28:48 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:28:52 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 4, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:28:52 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:28:58 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 5, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:28:58 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:29:04 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 6, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:29:04 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:29:04 - [app] app - [DEBUG] DEBUG - ✅ Status-Updates für Drucker erfolgreich gespeichert
|
||||||
|
2025-06-20 12:29:04 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:10 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:16 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:16 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:29:16 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:18 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:18 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:39 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:50 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:51 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:29:54 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:29:55 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:05 - [app] app - [INFO] INFO - ✅ API: Drucker abgerufen (include_inactive=)
|
||||||
|
2025-06-20 12:30:05 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [INFO] INFO - Locating template 'admin_advanced_settings.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin_advanced_settings.html')
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:07 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:08 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:08 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:19 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:19 - [app] app - [INFO] INFO - ✅ Dashboard geladen für Administrator: 0 aktive Jobs, 0 verfügbare Drucker
|
||||||
|
2025-06-20 12:30:19 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:19 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:19 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:19 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:19 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:19 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:20 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:20 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:20 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:20 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:20 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:20 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:20 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:23 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:24 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:24 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:24 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:25 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:25 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:25 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:25 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:25 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:26 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:26 - [app] app - [INFO] INFO - Locating template 'guest_requests_overview.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\guest_requests_overview.html')
|
||||||
|
2025-06-20 12:30:26 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:26 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:26 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:26 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:26 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:26 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:31 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:34 - [app] app - [INFO] INFO - 6-stelliger OTP generiert für Guest Request 7
|
||||||
|
2025-06-20 12:30:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:34 - [app] app - [INFO] INFO - Locating template 'guest_status.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\guest_status.html')
|
||||||
|
2025-06-20 12:30:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:38 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:38 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:38 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:41 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [INFO] INFO - Locating template 'admin_guest_otps.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin_guest_otps.html')
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:43 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:49 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:49 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [INFO] INFO - Locating template 'admin_guest_requests.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin_guest_requests.html')
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [ERROR] ERROR - Fehler beim Laden des Benutzers :
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:30:51 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:00 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:00 - [app] app - [INFO] INFO - 6-stelliger OTP generiert für Guest Request 7
|
||||||
|
2025-06-20 12:31:00 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:00 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:00 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:06 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:06 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:06 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:06 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:06 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:07 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:07 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:08 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:08 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:08 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:08 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:08 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:08 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:08 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:08 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:10 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:10 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:10 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:10 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:10 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:10 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:10 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:13 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:14 - [app] app - [WARNING] WARNING - Ungültiger OTP-Code für Guest Request 1
|
||||||
|
2025-06-20 12:31:14 - [app] app - [WARNING] WARNING - Ungültiger OTP-Code für Guest Request 2
|
||||||
|
2025-06-20 12:31:14 - [app] app - [WARNING] WARNING - Ungültiger OTP-Code für Guest Request 3
|
||||||
|
2025-06-20 12:31:14 - [app] app - [WARNING] WARNING - Ungültiger OTP-Code für Guest Request 4
|
||||||
|
2025-06-20 12:31:15 - [app] app - [WARNING] WARNING - Ungültiger OTP-Code für Guest Request 5
|
||||||
|
2025-06-20 12:31:15 - [app] app - [WARNING] WARNING - Ungültiger OTP-Code für Guest Request 6
|
||||||
|
2025-06-20 12:31:15 - [app] app - [INFO] INFO - OTP erfolgreich verifiziert für Guest Request 7
|
||||||
|
2025-06-20 12:31:21 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:27 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:27 - [app] app - [INFO] INFO - ✅ Dashboard geladen für Administrator: 1 aktive Jobs, 0 verfügbare Drucker
|
||||||
|
2025-06-20 12:31:27 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:27 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:27 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:27 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:27 - [app] app - [ERROR] ERROR - Fehler beim Laden des Benutzers :
|
||||||
|
2025-06-20 12:31:27 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:27 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [ERROR] ERROR - Fehler beim Laden des Benutzers :
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:28 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:29 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:29 - [app] app - [INFO] INFO - ✅ API: Drucker abgerufen (include_inactive=)
|
||||||
|
2025-06-20 12:31:29 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:32 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:32 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:32 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:32 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:34 - [app] app - [INFO] INFO - ✅ Dashboard geladen für Administrator: 0 aktive Jobs, 0 verfügbare Drucker
|
||||||
|
2025-06-20 12:31:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:34 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:35 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:35 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:36 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:36 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:36 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:36 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:36 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:36 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:36 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:42 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:42 - [app] app - [INFO] INFO - ✅ Dashboard geladen für Administrator: 0 aktive Jobs, 0 verfügbare Drucker
|
||||||
|
2025-06-20 12:31:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:42 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:42 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:42 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:42 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:44 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:45 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:31:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:31:47 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:16 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:16 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:16 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:16 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:16 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:16 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:17 - [app] app - [ERROR] ERROR - Datenbank-Transaktion fehlgeschlagen: Textual SQL expression 'SELECT 1' should be explicitly declared as text('SELECT 1')
|
||||||
|
2025-06-20 12:32:17 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:17 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:46 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:32:46 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:46 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:47 - [app] app - [ERROR] ERROR - Datenbank-Transaktion fehlgeschlagen: Textual SQL expression 'SELECT 1' should be explicitly declared as text('SELECT 1')
|
||||||
|
2025-06-20 12:32:47 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:47 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:32:58 - [app] app - [INFO] INFO - [SHUTDOWN] 🧹 Cleanup wird ausgeführt...
|
||||||
|
2025-06-20 12:32:58 - [app] app - [INFO] INFO - [SHUTDOWN] ✅ Queue Manager gestoppt
|
||||||
|
2025-06-20 12:32:58 - [app] app - [ERROR] ERROR - [SHUTDOWN] ❌ Cleanup-Fehler:
|
||||||
|
2025-06-20 12:32:59 - [app] app - [INFO] INFO - Optimierte SQLite-Engine erstellt: database/myp.db
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [CONFIG] Erkannte Umgebung:
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [CONFIG] Production-Modus:
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [CONFIG] Verwende Development-Konfiguration
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [DEVELOPMENT] Aktiviere Development-Konfiguration
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Konfiguration aktiviert
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Environment:
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Debug Mode:
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ SQL Echo:
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - SQLite für Raspberry Pi optimiert (reduzierte Cache-Größe, SD-Karten I/O)
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - Admin-Berechtigungen beim Start korrigiert: erstellt, aktualisiert
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [STARTUP] 🚀 Starte MYP -Umgebung
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [STARTUP] 🏢
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [STARTUP] 🔒 Air-Gapped:
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Datenbank...
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - Datenbank mit Optimierungen initialisiert
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [STARTUP] ✅ Datenbank initialisiert
|
||||||
|
2025-06-20 12:33:00 - [app] app - [INFO] INFO - [STARTUP] Prüfe Initial-Admin...
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - Admin-Benutzer admin (admin@mercedes-benz.com) existiert bereits. Passwort wurde zurückgesetzt.
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] ✅ Admin-Benutzer geprüft
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] Initialisiere statische Drucker...
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 1 (192.168.0.100)
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 2 (192.168.0.101)
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 3 (192.168.0.102)
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 4 (192.168.0.103)
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 5 (192.168.0.104)
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 6 (192.168.0.106)
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - ✅ Statische Drucker-Initialisierung abgeschlossen: 0 erstellt, 6 aktualisiert
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - 📍 Alle Drucker sind für Standort 'TBA Marienfelde' konfiguriert
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - 🌐 IP-Bereich: 192.168.0.100-106 (außer .105)
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] ✅ Statische Drucker konfiguriert
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] Starte Queue Manager...
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] ✅ Queue Manager gestartet
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] Starte Job Scheduler...
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] ✅ Job Scheduler gestartet
|
||||||
|
2025-06-20 12:33:01 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Steckdosen (alle auf 'aus' = frei)...
|
||||||
|
2025-06-20 12:33:19 - [app] app - [INFO] INFO - Optimierte SQLite-Engine erstellt: database/myp.db
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [CONFIG] Erkannte Umgebung:
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [CONFIG] Production-Modus:
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [CONFIG] Verwende Development-Konfiguration
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [DEVELOPMENT] Aktiviere Development-Konfiguration
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Konfiguration aktiviert
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Environment:
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Debug Mode:
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ SQL Echo:
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - SQLite für Raspberry Pi optimiert (reduzierte Cache-Größe, SD-Karten I/O)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Admin-Berechtigungen beim Start korrigiert: erstellt, aktualisiert
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] 🚀 Starte MYP -Umgebung
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] 🏢
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] 🔒 Air-Gapped:
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Datenbank...
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Datenbank mit Optimierungen initialisiert
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] ✅ Datenbank initialisiert
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] Prüfe Initial-Admin...
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Admin-Benutzer admin (admin@mercedes-benz.com) existiert bereits. Passwort wurde zurückgesetzt.
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] ✅ Admin-Benutzer geprüft
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] Initialisiere statische Drucker...
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 1 (192.168.0.100)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 2 (192.168.0.101)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 3 (192.168.0.102)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 4 (192.168.0.103)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 5 (192.168.0.104)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 6 (192.168.0.106)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - ✅ Statische Drucker-Initialisierung abgeschlossen: 0 erstellt, 6 aktualisiert
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - 📍 Alle Drucker sind für Standort 'TBA Marienfelde' konfiguriert
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - 🌐 IP-Bereich: 192.168.0.100-106 (außer .105)
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] ✅ Statische Drucker konfiguriert
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] Starte Queue Manager...
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] ✅ Queue Manager gestartet
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] Starte Job Scheduler...
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] ✅ Job Scheduler gestartet
|
||||||
|
2025-06-20 12:33:20 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Steckdosen (alle auf 'aus' = frei)...
|
||||||
|
2025-06-20 12:33:38 - [app] app - [WARNING] WARNING - [STARTUP] ⚠️ Keine der 6 Steckdosen konnte initialisiert werden
|
||||||
|
2025-06-20 12:33:38 - [app] app - [INFO] INFO - [STARTUP] 🌐 Server startet auf http://:
|
||||||
|
2025-06-20 12:33:39 - [app] app - [INFO] INFO - Optimierte SQLite-Engine erstellt: database/myp.db
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [CONFIG] Erkannte Umgebung:
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [CONFIG] Production-Modus:
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [CONFIG] Verwende Development-Konfiguration
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [DEVELOPMENT] Aktiviere Development-Konfiguration
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Konfiguration aktiviert
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Environment:
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Debug Mode:
|
||||||
|
2025-06-20 12:33:40 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ SQL Echo:
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - SQLite für Raspberry Pi optimiert (reduzierte Cache-Größe, SD-Karten I/O)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Admin-Berechtigungen beim Start korrigiert: erstellt, aktualisiert
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] 🚀 Starte MYP -Umgebung
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] 🏢
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] 🔒 Air-Gapped:
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Datenbank...
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Datenbank mit Optimierungen initialisiert
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] ✅ Datenbank initialisiert
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] Prüfe Initial-Admin...
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Admin-Benutzer admin (admin@mercedes-benz.com) existiert bereits. Passwort wurde zurückgesetzt.
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] ✅ Admin-Benutzer geprüft
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] Initialisiere statische Drucker...
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 1 (192.168.0.100)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 2 (192.168.0.101)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 3 (192.168.0.102)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 4 (192.168.0.103)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 5 (192.168.0.104)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 6 (192.168.0.106)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - ✅ Statische Drucker-Initialisierung abgeschlossen: 0 erstellt, 6 aktualisiert
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - 📍 Alle Drucker sind für Standort 'TBA Marienfelde' konfiguriert
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - 🌐 IP-Bereich: 192.168.0.100-106 (außer .105)
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] ✅ Statische Drucker konfiguriert
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] Starte Queue Manager...
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] ✅ Queue Manager gestartet
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] Starte Job Scheduler...
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] ✅ Job Scheduler gestartet
|
||||||
|
2025-06-20 12:33:41 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Steckdosen (alle auf 'aus' = frei)...
|
||||||
|
2025-06-20 12:33:59 - [app] app - [WARNING] WARNING - [STARTUP] ⚠️ Keine der 6 Steckdosen konnte initialisiert werden
|
||||||
|
2025-06-20 12:33:59 - [app] app - [INFO] INFO - [STARTUP] 🌐 Server startet auf http://:
|
||||||
|
2025-06-20 12:34:03 - [app] app - [INFO] INFO - [SHUTDOWN] 🧹 Cleanup wird ausgeführt...
|
||||||
|
2025-06-20 12:34:03 - [app] app - [INFO] INFO - [SHUTDOWN] ✅ Queue Manager gestoppt
|
||||||
|
2025-06-20 12:34:03 - [app] app - [ERROR] ERROR - [SHUTDOWN] ❌ Cleanup-Fehler:
|
||||||
|
2025-06-20 12:34:05 - [app] app - [INFO] INFO - Optimierte SQLite-Engine erstellt: database/myp.db
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [CONFIG] Erkannte Umgebung:
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [CONFIG] Production-Modus:
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [CONFIG] Verwende Development-Konfiguration
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [DEVELOPMENT] Aktiviere Development-Konfiguration
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Konfiguration aktiviert
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Environment:
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ Debug Mode:
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [DEVELOPMENT] ✅ SQL Echo:
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - SQLite für Raspberry Pi optimiert (reduzierte Cache-Größe, SD-Karten I/O)
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - Admin-Berechtigungen beim Start korrigiert: erstellt, aktualisiert
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [STARTUP] 🚀 Starte MYP -Umgebung
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [STARTUP] 🏢
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [STARTUP] 🔒 Air-Gapped:
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Datenbank...
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - Datenbank mit Optimierungen initialisiert
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [STARTUP] ✅ Datenbank initialisiert
|
||||||
|
2025-06-20 12:34:06 - [app] app - [INFO] INFO - [STARTUP] Prüfe Initial-Admin...
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - Admin-Benutzer admin (admin@mercedes-benz.com) existiert bereits. Passwort wurde zurückgesetzt.
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] ✅ Admin-Benutzer geprüft
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] Initialisiere statische Drucker...
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 1 (192.168.0.100)
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 2 (192.168.0.101)
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 3 (192.168.0.102)
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 4 (192.168.0.103)
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 5 (192.168.0.104)
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - Drucker aktualisiert: Drucker 6 (192.168.0.106)
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - ✅ Statische Drucker-Initialisierung abgeschlossen: 0 erstellt, 6 aktualisiert
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - 📍 Alle Drucker sind für Standort 'TBA Marienfelde' konfiguriert
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - 🌐 IP-Bereich: 192.168.0.100-106 (außer .105)
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] ✅ Statische Drucker konfiguriert
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] Starte Queue Manager...
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] ✅ Queue Manager gestartet
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] Starte Job Scheduler...
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] ✅ Job Scheduler gestartet
|
||||||
|
2025-06-20 12:34:07 - [app] app - [INFO] INFO - [STARTUP] Initialisiere Steckdosen (alle auf 'aus' = frei)...
|
||||||
|
2025-06-20 12:34:25 - [app] app - [WARNING] WARNING - [STARTUP] ⚠️ Keine der 6 Steckdosen konnte initialisiert werden
|
||||||
|
2025-06-20 12:34:25 - [app] app - [INFO] INFO - [STARTUP] 🌐 Server startet auf http://:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [INFO] INFO - Locating template 'admin.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin.html')
|
||||||
|
2025-06-20 12:34:25 - [app] app - [INFO] INFO - Locating template 'base.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\base.html')
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:25 - [app] app - [INFO] INFO - Locating template 'errors/404.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\errors\\404.html')
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:25 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:26 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:30 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:30 - [app] app - [INFO] INFO - Locating template 'jobs.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\jobs.html')
|
||||||
|
2025-06-20 12:34:30 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:30 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:30 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:30 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:31 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:31 - [app] app - [INFO] INFO - ✅ API: Drucker abgerufen (include_inactive=)
|
||||||
|
2025-06-20 12:34:31 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:33 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:33 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:33 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:33 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:33 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:33 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:34 - [app] app - [INFO] INFO - Locating template 'admin_advanced_settings.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin_advanced_settings.html')
|
||||||
|
2025-06-20 12:34:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:34 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:34 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:34 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:35 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:35 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:35 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:35 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:35 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:35 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:36 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:36 - [app] app - [INFO] INFO - Locating template 'admin_guest_requests.html':
|
||||||
|
1: trying loader of application '__main__'
|
||||||
|
class: jinja2.loaders.FileSystemLoader
|
||||||
|
encoding: 'utf-8'
|
||||||
|
followlinks: False
|
||||||
|
searchpath:
|
||||||
|
- C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend\templates
|
||||||
|
-> found ('C:\\Users\\TTOMCZA.EMEA\\Dev\\Projektarbeit-MYP\\backend\\templates\\admin_guest_requests.html')
|
||||||
|
2025-06-20 12:34:36 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:37 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:37 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:37 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:49 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:52 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:52 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:52 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:52 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:52 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:53 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:53 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:53 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:53 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:53 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:53 - [app] app - [INFO] INFO - ✅ API: Drucker abgerufen (include_inactive=)
|
||||||
|
2025-06-20 12:34:53 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:54 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:34:58 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:34:59 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:35:00 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 1, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:35:00 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:35:01 - [app] app - [INFO] INFO - Not Found (404):
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:35:01 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:35:02 - [app] app - [DEBUG] DEBUG - Request:
|
||||||
|
2025-06-20 12:35:03 - [app] app - [DEBUG] DEBUG - Response:
|
||||||
|
2025-06-20 12:35:06 - [app] app - [INFO] INFO - ✅ Steckdosen-Status geloggt: Drucker 2, Status: disconnected, Quelle: system
|
||||||
|
2025-06-20 12:35:06 - [app] app - [DEBUG] DEBUG - 📊 Auto-Status protokolliert: Drucker ->
|
||||||
|
@ -147,3 +147,5 @@ AttributeError: 'ConflictManager' object has no attribute 'detect_conflicts'
|
|||||||
2025-06-20 12:06:03 - [calendar] calendar - [INFO] INFO - Automatische Druckerzuweisung wird verwendet für Job 'test'
|
2025-06-20 12:06:03 - [calendar] calendar - [INFO] INFO - Automatische Druckerzuweisung wird verwendet für Job 'test'
|
||||||
2025-06-20 12:06:03 - [calendar] calendar - [INFO] INFO - Automatische Druckerzuweisung: Drucker 1 (Score: 174, Load: 0)
|
2025-06-20 12:06:03 - [calendar] calendar - [INFO] INFO - Automatische Druckerzuweisung: Drucker 1 (Score: 174, Load: 0)
|
||||||
2025-06-20 12:06:03 - [calendar] calendar - [INFO] INFO - Neuer Kalendereintrag erstellt: ID 3, Name: test, Drucker: Drucker 1 (automatisch zugewiesen)
|
2025-06-20 12:06:03 - [calendar] calendar - [INFO] INFO - Neuer Kalendereintrag erstellt: ID 3, Name: test, Drucker: Drucker 1 (automatisch zugewiesen)
|
||||||
|
2025-06-20 12:28:29 - [calendar] calendar - [INFO] INFO - 📅 Kalender-Events abgerufen: 0 Einträge für Zeitraum 2025-06-14 22:00:00+00:00 bis 2025-06-21 22:00:00+00:00
|
||||||
|
2025-06-20 12:28:31 - [calendar] calendar - [INFO] INFO - 📅 Kalender-Events abgerufen: 259 Einträge für Zeitraum 2025-06-14 22:00:00+00:00 bis 2025-06-21 22:00:00+00:00
|
||||||
|
@ -520,3 +520,11 @@
|
|||||||
2025-06-20 12:25:35 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
2025-06-20 12:25:35 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
||||||
2025-06-20 12:26:00 - [core_system] core_system - [INFO] INFO - ✅ Core System Management Module erfolgreich initialisiert
|
2025-06-20 12:26:00 - [core_system] core_system - [INFO] INFO - ✅ Core System Management Module erfolgreich initialisiert
|
||||||
2025-06-20 12:26:00 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
2025-06-20 12:26:00 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
||||||
|
2025-06-20 12:32:59 - [core_system] core_system - [INFO] INFO - ✅ Core System Management Module erfolgreich initialisiert
|
||||||
|
2025-06-20 12:32:59 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
||||||
|
2025-06-20 12:33:19 - [core_system] core_system - [INFO] INFO - ✅ Core System Management Module erfolgreich initialisiert
|
||||||
|
2025-06-20 12:33:19 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
||||||
|
2025-06-20 12:33:39 - [core_system] core_system - [INFO] INFO - ✅ Core System Management Module erfolgreich initialisiert
|
||||||
|
2025-06-20 12:33:39 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
||||||
|
2025-06-20 12:34:05 - [core_system] core_system - [INFO] INFO - ✅ Core System Management Module erfolgreich initialisiert
|
||||||
|
2025-06-20 12:34:05 - [core_system] core_system - [INFO] INFO - 📊 Massive Konsolidierung: 6 Dateien → 1 Datei (88% Reduktion)
|
||||||
|
@ -1059,3 +1059,11 @@
|
|||||||
2025-06-20 12:25:35 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
2025-06-20 12:25:35 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
2025-06-20 12:26:01 - [data_management] data_management - [INFO] INFO - ✅ Data Management Module initialisiert
|
2025-06-20 12:26:01 - [data_management] data_management - [INFO] INFO - ✅ Data Management Module initialisiert
|
||||||
2025-06-20 12:26:01 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
2025-06-20 12:26:01 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:32:59 - [data_management] data_management - [INFO] INFO - ✅ Data Management Module initialisiert
|
||||||
|
2025-06-20 12:32:59 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:19 - [data_management] data_management - [INFO] INFO - ✅ Data Management Module initialisiert
|
||||||
|
2025-06-20 12:33:19 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:39 - [data_management] data_management - [INFO] INFO - ✅ Data Management Module initialisiert
|
||||||
|
2025-06-20 12:33:39 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:34:05 - [data_management] data_management - [INFO] INFO - ✅ Data Management Module initialisiert
|
||||||
|
2025-06-20 12:34:05 - [data_management] data_management - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
@ -117,3 +117,7 @@
|
|||||||
2025-06-20 12:25:15 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
2025-06-20 12:25:15 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
||||||
2025-06-20 12:25:36 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
2025-06-20 12:25:36 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
||||||
2025-06-20 12:26:02 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
2025-06-20 12:26:02 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
||||||
|
2025-06-20 12:33:00 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
||||||
|
2025-06-20 12:33:20 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
||||||
|
2025-06-20 12:33:41 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
||||||
|
2025-06-20 12:34:06 - [drucker_steuerung] drucker_steuerung - [INFO] INFO - 🖨️ Drucker-Steuerungs-Blueprint (Backend-Kontrolle) geladen
|
||||||
|
@ -846,3 +846,11 @@
|
|||||||
2025-06-20 12:25:15 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
2025-06-20 12:25:15 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
||||||
2025-06-20 12:25:36 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
2025-06-20 12:25:36 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
||||||
2025-06-20 12:26:02 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
2025-06-20 12:26:02 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
||||||
|
2025-06-20 12:28:34 - [energy_monitoring] energy_monitoring - [INFO] INFO - 🔋 Energiemonitoring-Dashboard aufgerufen von admin
|
||||||
|
2025-06-20 12:28:35 - [energy_monitoring] energy_monitoring - [INFO] INFO - 📊 API-Energiemonitoring-Dashboard von admin
|
||||||
|
2025-06-20 12:29:10 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Dashboard-Daten erfolgreich erstellt: 0 Geräte online
|
||||||
|
2025-06-20 12:29:10 - [energy_monitoring] energy_monitoring - [INFO] INFO - [OK] API-Energiemonitoring-Dashboard 'api_energy_dashboard' erfolgreich in 35705.40ms
|
||||||
|
2025-06-20 12:33:00 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
||||||
|
2025-06-20 12:33:20 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
||||||
|
2025-06-20 12:33:41 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
||||||
|
2025-06-20 12:34:06 - [energy_monitoring] energy_monitoring - [INFO] INFO - ✅ Energiemonitoring-Blueprint initialisiert
|
||||||
|
@ -93,3 +93,12 @@ WHERE user_permissions.can_approve_jobs = 1]
|
|||||||
2025-06-20 11:58:47 - [guest] guest - [INFO] INFO - Job 1 mit 6-stelligem OTP-Code gestartet für Gastanfrage 5
|
2025-06-20 11:58:47 - [guest] guest - [INFO] INFO - Job 1 mit 6-stelligem OTP-Code gestartet für Gastanfrage 5
|
||||||
2025-06-20 12:01:41 - [guest] guest - [INFO] INFO - Neue Gastanfrage erstellt: ID 6, Name: Till Tomczaktet, OTP generiert
|
2025-06-20 12:01:41 - [guest] guest - [INFO] INFO - Neue Gastanfrage erstellt: ID 6, Name: Till Tomczaktet, OTP generiert
|
||||||
2025-06-20 12:03:09 - [guest] guest - [INFO] INFO - Gastanfrage 6 genehmigt von Admin 1 (admin), Drucker: Drucker 2
|
2025-06-20 12:03:09 - [guest] guest - [INFO] INFO - Gastanfrage 6 genehmigt von Admin 1 (admin), Drucker: Drucker 2
|
||||||
|
2025-06-20 12:30:34 - [guest] guest - [INFO] INFO - Neue Gastanfrage erstellt: ID 7, Name: Till Tomczaktet, OTP generiert
|
||||||
|
2025-06-20 12:31:00 - [guest] guest - [INFO] INFO - Gastanfrage 7 genehmigt von Admin 1 (admin), Drucker: Drucker 2
|
||||||
|
2025-06-20 12:34:49 - [guest] guest - [INFO] INFO - Gastanfrage 6 gelöscht von Admin 1 (admin)
|
||||||
|
2025-06-20 12:34:49 - [guest] guest - [INFO] INFO - Gastanfrage 7 gelöscht von Admin 1 (admin)
|
||||||
|
2025-06-20 12:34:49 - [guest] guest - [INFO] INFO - Gastanfrage 4 gelöscht von Admin 1 (admin)
|
||||||
|
2025-06-20 12:34:49 - [guest] guest - [INFO] INFO - Gastanfrage 3 gelöscht von Admin 1 (admin)
|
||||||
|
2025-06-20 12:34:49 - [guest] guest - [INFO] INFO - Gastanfrage 5 gelöscht von Admin 1 (admin)
|
||||||
|
2025-06-20 12:34:49 - [guest] guest - [INFO] INFO - Gastanfrage 2 gelöscht von Admin 1 (admin)
|
||||||
|
2025-06-20 12:34:49 - [guest] guest - [INFO] INFO - Gastanfrage 1 gelöscht von Admin 1 (admin)
|
||||||
|
@ -3955,3 +3955,64 @@
|
|||||||
2025-06-20 12:26:02 - [hardware_integration] hardware_integration - [INFO] INFO - 🎯 DruckerSteuerung initialisiert - BACKEND ÜBERNIMMT KONTROLLE
|
2025-06-20 12:26:02 - [hardware_integration] hardware_integration - [INFO] INFO - 🎯 DruckerSteuerung initialisiert - BACKEND ÜBERNIMMT KONTROLLE
|
||||||
2025-06-20 12:26:26 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.100 ist über keine Methode erreichbar
|
2025-06-20 12:26:26 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.100 ist über keine Methode erreichbar
|
||||||
2025-06-20 12:26:26 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.100 ist im Netzwerk nicht erreichbar
|
2025-06-20 12:26:26 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.100 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:32 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.101 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:32 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.101 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:37 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.100 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:37 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.100 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:38 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.102 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:38 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.102 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:43 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.101 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:43 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.101 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:44 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.103 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:44 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.103 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:49 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.102 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:49 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.102 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:50 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.104 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:50 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.104 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:55 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.103 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:55 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.103 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:26:56 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.106 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:26:56 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.106 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:27:01 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.104 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:27:01 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.104 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:27:07 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.106 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:27:07 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.106 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:34 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.100 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:34 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.100 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:40 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.101 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:40 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.101 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:40 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.100 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:40 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.100 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:46 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.102 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:46 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.102 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:46 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.101 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:46 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.101 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:52 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.103 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:52 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.103 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:52 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.102 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:52 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.102 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:58 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.104 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:58 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.104 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:28:58 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.103 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:28:58 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.103 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:29:04 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.106 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:29:04 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.106 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:29:04 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.104 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:29:04 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.104 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:29:10 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.106 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:29:10 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.106 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:29:10 - [hardware_integration] hardware_integration - [INFO] INFO - ✅ Energiestatistiken erstellt: 0/6 Drucker online
|
||||||
|
2025-06-20 12:31:21 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.101 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:31:21 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.101 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:32:59 - [hardware_integration] hardware_integration - [INFO] INFO - 🚀 Hardware Integration (Backend-Kontrolle) erfolgreich geladen
|
||||||
|
2025-06-20 12:33:01 - [hardware_integration] hardware_integration - [INFO] INFO - 🎯 DruckerSteuerung initialisiert - BACKEND ÜBERNIMMT KONTROLLE
|
||||||
|
2025-06-20 12:33:19 - [hardware_integration] hardware_integration - [INFO] INFO - 🚀 Hardware Integration (Backend-Kontrolle) erfolgreich geladen
|
||||||
|
2025-06-20 12:33:20 - [hardware_integration] hardware_integration - [INFO] INFO - 🎯 DruckerSteuerung initialisiert - BACKEND ÜBERNIMMT KONTROLLE
|
||||||
|
2025-06-20 12:33:39 - [hardware_integration] hardware_integration - [INFO] INFO - 🚀 Hardware Integration (Backend-Kontrolle) erfolgreich geladen
|
||||||
|
2025-06-20 12:33:41 - [hardware_integration] hardware_integration - [INFO] INFO - 🎯 DruckerSteuerung initialisiert - BACKEND ÜBERNIMMT KONTROLLE
|
||||||
|
2025-06-20 12:34:05 - [hardware_integration] hardware_integration - [INFO] INFO - 🚀 Hardware Integration (Backend-Kontrolle) erfolgreich geladen
|
||||||
|
2025-06-20 12:34:07 - [hardware_integration] hardware_integration - [INFO] INFO - 🎯 DruckerSteuerung initialisiert - BACKEND ÜBERNIMMT KONTROLLE
|
||||||
|
2025-06-20 12:35:00 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.100 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:35:00 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.100 ist im Netzwerk nicht erreichbar
|
||||||
|
2025-06-20 12:35:06 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ 192.168.0.101 ist über keine Methode erreichbar
|
||||||
|
2025-06-20 12:35:06 - [hardware_integration] hardware_integration - [WARNING] WARNING - ⚠️ Steckdose 192.168.0.101 ist im Netzwerk nicht erreichbar
|
||||||
|
@ -2057,3 +2057,21 @@
|
|||||||
2025-06-20 12:26:01 - [job_queue_system] job_queue_system - [INFO] INFO - ✅ Job & Queue System Module initialisiert
|
2025-06-20 12:26:01 - [job_queue_system] job_queue_system - [INFO] INFO - ✅ Job & Queue System Module initialisiert
|
||||||
2025-06-20 12:26:01 - [job_queue_system] job_queue_system - [INFO] INFO - 📊 MASSIVE Konsolidierung: 4 Dateien → 1 Datei (75% Reduktion)
|
2025-06-20 12:26:01 - [job_queue_system] job_queue_system - [INFO] INFO - 📊 MASSIVE Konsolidierung: 4 Dateien → 1 Datei (75% Reduktion)
|
||||||
2025-06-20 12:26:02 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestartet (Legacy-Kompatibilität)
|
2025-06-20 12:26:02 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestartet (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:32:58 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestoppt (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:32:59 - [job_queue_system] job_queue_system - [INFO] INFO - ✅ Job & Queue System Module initialisiert
|
||||||
|
2025-06-20 12:32:59 - [job_queue_system] job_queue_system - [INFO] INFO - 📊 MASSIVE Konsolidierung: 4 Dateien → 1 Datei (75% Reduktion)
|
||||||
|
2025-06-20 12:33:01 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestartet (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:33:16 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestoppt (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:33:16 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestoppt (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:33:19 - [job_queue_system] job_queue_system - [INFO] INFO - ✅ Job & Queue System Module initialisiert
|
||||||
|
2025-06-20 12:33:19 - [job_queue_system] job_queue_system - [INFO] INFO - 📊 MASSIVE Konsolidierung: 4 Dateien → 1 Datei (75% Reduktion)
|
||||||
|
2025-06-20 12:33:20 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestartet (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:33:39 - [job_queue_system] job_queue_system - [INFO] INFO - ✅ Job & Queue System Module initialisiert
|
||||||
|
2025-06-20 12:33:39 - [job_queue_system] job_queue_system - [INFO] INFO - 📊 MASSIVE Konsolidierung: 4 Dateien → 1 Datei (75% Reduktion)
|
||||||
|
2025-06-20 12:33:41 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestartet (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:34:03 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestoppt (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:34:05 - [job_queue_system] job_queue_system - [INFO] INFO - ✅ Job & Queue System Module initialisiert
|
||||||
|
2025-06-20 12:34:05 - [job_queue_system] job_queue_system - [INFO] INFO - 📊 MASSIVE Konsolidierung: 4 Dateien → 1 Datei (75% Reduktion)
|
||||||
|
2025-06-20 12:34:07 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestartet (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:35:09 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestoppt (Legacy-Kompatibilität)
|
||||||
|
2025-06-20 12:35:09 - [job_queue_system] job_queue_system - [INFO] INFO - Queue Manager gestoppt (Legacy-Kompatibilität)
|
||||||
|
@ -1185,3 +1185,57 @@ sqlalchemy.exc.IntegrityError: (sqlite3.IntegrityError) FOREIGN KEY constraint f
|
|||||||
2025-06-20 12:24:14 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 3 von 3 (Seite 1)
|
2025-06-20 12:24:14 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 3 von 3 (Seite 1)
|
||||||
2025-06-20 12:24:44 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
2025-06-20 12:24:44 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
2025-06-20 12:24:44 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 3 von 3 (Seite 1)
|
2025-06-20 12:24:44 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 3 von 3 (Seite 1)
|
||||||
|
2025-06-20 12:27:23 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:27:23 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 3 von 3 (Seite 1)
|
||||||
|
2025-06-20 12:27:30 - [jobs] jobs - [INFO] INFO - 🗑️ Lösche Job 2 für Benutzer 1
|
||||||
|
2025-06-20 12:27:30 - [jobs] jobs - [INFO] INFO - ✅ Job 'Gastauftrag: Till Tomczaktet' (ID: 2) erfolgreich gelöscht von Benutzer 1
|
||||||
|
2025-06-20 12:27:30 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:27:30 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 2 von 2 (Seite 1)
|
||||||
|
2025-06-20 12:27:33 - [jobs] jobs - [INFO] INFO - 🗑️ Lösche Job 3 für Benutzer 1
|
||||||
|
2025-06-20 12:27:33 - [jobs] jobs - [INFO] INFO - ✅ Job 'test' (ID: 3) erfolgreich gelöscht von Benutzer 1
|
||||||
|
2025-06-20 12:27:33 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:27:33 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 1 von 1 (Seite 1)
|
||||||
|
2025-06-20 12:27:35 - [jobs] jobs - [INFO] INFO - 🗑️ Lösche Job 1 für Benutzer 1
|
||||||
|
2025-06-20 12:27:35 - [jobs] jobs - [INFO] INFO - ✅ Job 'Gastauftrag: Till Tomczaktet' (ID: 1) erfolgreich gelöscht von Benutzer 1
|
||||||
|
2025-06-20 12:27:35 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:27:35 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 0 von 0 (Seite 1)
|
||||||
|
2025-06-20 12:27:42 - [jobs] jobs - [INFO] INFO - 🚀 Neue Job-Erstellung gestartet von Benutzer 1
|
||||||
|
2025-06-20 12:27:42 - [jobs] jobs - [INFO] INFO - 🚀 Neue Job-Erstellung gestartet von Benutzer 1
|
||||||
|
2025-06-20 12:27:42 - [jobs] jobs - [ERROR] ERROR - ❌ Datenbankfehler beim Job-Erstellen: tuple index out of range
|
||||||
|
2025-06-20 12:27:42 - [jobs] jobs - [INFO] INFO - 📋 Job-Status festgelegt: scheduled
|
||||||
|
2025-06-20 12:27:42 - [jobs] jobs - [INFO] INFO - ✅ Neuer Job 1 erfolgreich erstellt für Drucker 1, Start: 2025-06-20 12:27:00, Dauer: 60 Minuten
|
||||||
|
2025-06-20 12:27:42 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:27:42 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 1 von 1 (Seite 1)
|
||||||
|
2025-06-20 12:27:53 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:27:53 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 1 von 1 (Seite 1)
|
||||||
|
2025-06-20 12:27:57 - [jobs] jobs - [INFO] INFO - 🔍 Job-Detail-Abfrage für Job 1 von Benutzer 1
|
||||||
|
2025-06-20 12:27:57 - [jobs] jobs - [INFO] INFO - ✅ Job-Details erfolgreich abgerufen für Job 1
|
||||||
|
2025-06-20 12:28:04 - [jobs] jobs - [INFO] INFO - 🔍 Job-Detail-Abfrage für Job 1 von Benutzer 1
|
||||||
|
2025-06-20 12:28:04 - [jobs] jobs - [INFO] INFO - ✅ Job-Details erfolgreich abgerufen für Job 1
|
||||||
|
2025-06-20 12:28:07 - [jobs] jobs - [INFO] INFO - 🗑️ Lösche Job 1 für Benutzer 1
|
||||||
|
2025-06-20 12:28:07 - [jobs] jobs - [INFO] INFO - ✅ Job 'test' (ID: 1) erfolgreich gelöscht von Benutzer 1
|
||||||
|
2025-06-20 12:28:07 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:28:07 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 0 von 0 (Seite 1)
|
||||||
|
2025-06-20 12:28:20 - [jobs] jobs - [INFO] INFO - 🚀 Neue Job-Erstellung gestartet von Benutzer 1
|
||||||
|
2025-06-20 12:28:20 - [jobs] jobs - [INFO] INFO - 🚀 Neue Job-Erstellung gestartet von Benutzer 1
|
||||||
|
2025-06-20 12:28:20 - [jobs] jobs - [INFO] INFO - 📋 Job-Status festgelegt: scheduled
|
||||||
|
2025-06-20 12:28:20 - [jobs] jobs - [ERROR] ERROR - ❌ Datenbankfehler beim Job-Erstellen: tuple index out of range
|
||||||
|
2025-06-20 12:28:20 - [jobs] jobs - [INFO] INFO - ✅ Neuer Job 1 erfolgreich erstellt für Drucker 2, Start: 2025-06-20 13:27:00, Dauer: 12 Minuten
|
||||||
|
2025-06-20 12:28:20 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:28:20 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 1 von 1 (Seite 1)
|
||||||
|
2025-06-20 12:28:27 - [jobs] jobs - [INFO] INFO - 🗑️ Lösche Job 1 für Benutzer 1
|
||||||
|
2025-06-20 12:28:27 - [jobs] jobs - [INFO] INFO - ✅ Job '21' (ID: 1) erfolgreich gelöscht von Benutzer 1
|
||||||
|
2025-06-20 12:28:27 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:28:27 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 0 von 0 (Seite 1)
|
||||||
|
2025-06-20 12:30:05 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:30:05 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 0 von 0 (Seite 1)
|
||||||
|
2025-06-20 12:31:28 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:31:28 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 1 von 1 (Seite 1)
|
||||||
|
2025-06-20 12:31:32 - [jobs] jobs - [INFO] INFO - 🗑️ Lösche Job 1 für Benutzer 1
|
||||||
|
2025-06-20 12:31:32 - [jobs] jobs - [INFO] INFO - ✅ Job 'Gastauftrag: Till Tomczaktet' (ID: 1) erfolgreich gelöscht von Benutzer 1
|
||||||
|
2025-06-20 12:31:32 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:31:32 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 0 von 0 (Seite 1)
|
||||||
|
2025-06-20 12:34:31 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:34:31 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 0 von 0 (Seite 1)
|
||||||
|
2025-06-20 12:34:53 - [jobs] jobs - [INFO] INFO - 📋 Jobs-Abfrage gestartet von Benutzer 1 (Admin: True)
|
||||||
|
2025-06-20 12:34:53 - [jobs] jobs - [INFO] INFO - ✅ Jobs erfolgreich abgerufen: 0 von 0 (Seite 1)
|
||||||
|
@ -34,3 +34,5 @@
|
|||||||
2025-06-20 11:58:12 - [models] models - [INFO] INFO - Erfolgreich 1 Benachrichtigungen erstellt für 'guest_request'
|
2025-06-20 11:58:12 - [models] models - [INFO] INFO - Erfolgreich 1 Benachrichtigungen erstellt für 'guest_request'
|
||||||
2025-06-20 12:01:41 - [models] models - [INFO] INFO - Gefunden: 1 Genehmiger für Benachrichtigung 'guest_request'
|
2025-06-20 12:01:41 - [models] models - [INFO] INFO - Gefunden: 1 Genehmiger für Benachrichtigung 'guest_request'
|
||||||
2025-06-20 12:01:41 - [models] models - [INFO] INFO - Erfolgreich 1 Benachrichtigungen erstellt für 'guest_request'
|
2025-06-20 12:01:41 - [models] models - [INFO] INFO - Erfolgreich 1 Benachrichtigungen erstellt für 'guest_request'
|
||||||
|
2025-06-20 12:30:34 - [models] models - [INFO] INFO - Gefunden: 2 Genehmiger für Benachrichtigung 'guest_request'
|
||||||
|
2025-06-20 12:30:34 - [models] models - [INFO] INFO - Erfolgreich 2 Benachrichtigungen erstellt für 'guest_request'
|
||||||
|
@ -1047,3 +1047,11 @@
|
|||||||
2025-06-20 12:25:36 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
2025-06-20 12:25:36 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
2025-06-20 12:26:01 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - ✅ Monitoring & Analytics Module initialisiert
|
2025-06-20 12:26:01 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - ✅ Monitoring & Analytics Module initialisiert
|
||||||
2025-06-20 12:26:01 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
2025-06-20 12:26:01 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:00 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - ✅ Monitoring & Analytics Module initialisiert
|
||||||
|
2025-06-20 12:33:00 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:20 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - ✅ Monitoring & Analytics Module initialisiert
|
||||||
|
2025-06-20 12:33:20 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:40 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - ✅ Monitoring & Analytics Module initialisiert
|
||||||
|
2025-06-20 12:33:40 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:34:06 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - ✅ Monitoring & Analytics Module initialisiert
|
||||||
|
2025-06-20 12:34:06 - [monitoring_analytics] monitoring_analytics - [INFO] INFO - 📊 MASSIVE Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
@ -578,3 +578,19 @@ WHERE users.role = ?]
|
|||||||
2025-06-20 12:25:15 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
2025-06-20 12:25:15 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
||||||
2025-06-20 12:25:36 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
2025-06-20 12:25:36 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
||||||
2025-06-20 12:26:02 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
2025-06-20 12:26:02 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
||||||
|
2025-06-20 12:30:51 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:31:00 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:31:00 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:33:00 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
||||||
|
2025-06-20 12:33:20 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
||||||
|
2025-06-20 12:33:41 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
||||||
|
2025-06-20 12:34:06 - [permissions] permissions - [INFO] INFO - Admin-Berechtigungen korrigiert: 0 erstellt, 0 aktualisiert
|
||||||
|
2025-06-20 12:34:37 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
2025-06-20 12:34:49 - [permissions] permissions - [INFO] INFO - UserPermission für Admin-Benutzer 1 aktualisiert
|
||||||
|
@ -5284,3 +5284,102 @@
|
|||||||
2025-06-20 12:26:20 - [scheduler] scheduler - [INFO] INFO - ❌ Fehlgeschlagen: 0
|
2025-06-20 12:26:20 - [scheduler] scheduler - [INFO] INFO - ❌ Fehlgeschlagen: 0
|
||||||
2025-06-20 12:26:20 - [scheduler] scheduler - [WARNING] WARNING - ⚠️ KEINE Steckdose konnte initialisiert werden!
|
2025-06-20 12:26:20 - [scheduler] scheduler - [WARNING] WARNING - ⚠️ KEINE Steckdose konnte initialisiert werden!
|
||||||
2025-06-20 12:26:20 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
2025-06-20 12:26:20 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
||||||
|
2025-06-20 12:26:32 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 1: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:26:32 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:26:32 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 1 nicht einschalten
|
||||||
|
2025-06-20 12:26:32 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 2: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:26:32 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:26:32 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 2 nicht einschalten
|
||||||
|
2025-06-20 12:26:46 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 1: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:26:46 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:26:46 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 1 nicht einschalten
|
||||||
|
2025-06-20 12:26:46 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 2: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:26:46 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:26:46 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 2 nicht einschalten
|
||||||
|
2025-06-20 12:27:02 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 1: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:27:02 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:27:02 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 1 nicht einschalten
|
||||||
|
2025-06-20 12:27:02 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 2: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:27:02 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:27:02 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 2 nicht einschalten
|
||||||
|
2025-06-20 12:27:16 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 1: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:27:16 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:27:16 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 1 nicht einschalten
|
||||||
|
2025-06-20 12:27:16 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 2: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:27:16 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:27:16 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 2 nicht einschalten
|
||||||
|
2025-06-20 12:27:32 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 1: Gastauftrag: Till Tomczaktet
|
||||||
|
2025-06-20 12:27:32 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 2: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:27:32 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 1 nicht einschalten
|
||||||
|
2025-06-20 12:27:46 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 1: test
|
||||||
|
2025-06-20 12:27:46 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 1: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:27:46 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 1 nicht einschalten
|
||||||
|
2025-06-20 12:28:02 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte geplanten Job 1: test
|
||||||
|
2025-06-20 12:28:02 - [scheduler] scheduler - [ERROR] ERROR - ❌ Fehler beim einschalten der Steckdose für Drucker 1: name 'tapo_controller' is not defined
|
||||||
|
2025-06-20 12:28:02 - [scheduler] scheduler - [ERROR] ERROR - ❌ Konnte Steckdose für Job 1 nicht einschalten
|
||||||
|
2025-06-20 12:32:59 - [scheduler] scheduler - [INFO] INFO - Task check_jobs registriert: Intervall 30s, Enabled: True
|
||||||
|
2025-06-20 12:33:01 - [scheduler] scheduler - [INFO] INFO - Scheduler-Thread gestartet
|
||||||
|
2025-06-20 12:33:01 - [scheduler] scheduler - [INFO] INFO - Scheduler gestartet
|
||||||
|
2025-06-20 12:33:01 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte Steckdosen-Initialisierung beim Systemstart...
|
||||||
|
2025-06-20 12:33:01 - [scheduler] scheduler - [INFO] INFO - 🔍 Prüfe 6 konfigurierte Steckdosen...
|
||||||
|
2025-06-20 12:33:04 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 1: Steckdose 192.168.0.100 nicht erreichbar
|
||||||
|
2025-06-20 12:33:07 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 2: Steckdose 192.168.0.101 nicht erreichbar
|
||||||
|
2025-06-20 12:33:10 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 3: Steckdose 192.168.0.102 nicht erreichbar
|
||||||
|
2025-06-20 12:33:13 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 4: Steckdose 192.168.0.103 nicht erreichbar
|
||||||
|
2025-06-20 12:33:19 - [scheduler] scheduler - [INFO] INFO - Task check_jobs registriert: Intervall 30s, Enabled: True
|
||||||
|
2025-06-20 12:33:20 - [scheduler] scheduler - [INFO] INFO - Scheduler-Thread gestartet
|
||||||
|
2025-06-20 12:33:20 - [scheduler] scheduler - [INFO] INFO - Scheduler gestartet
|
||||||
|
2025-06-20 12:33:20 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte Steckdosen-Initialisierung beim Systemstart...
|
||||||
|
2025-06-20 12:33:20 - [scheduler] scheduler - [INFO] INFO - 🔍 Prüfe 6 konfigurierte Steckdosen...
|
||||||
|
2025-06-20 12:33:23 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 1: Steckdose 192.168.0.100 nicht erreichbar
|
||||||
|
2025-06-20 12:33:26 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 2: Steckdose 192.168.0.101 nicht erreichbar
|
||||||
|
2025-06-20 12:33:29 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 3: Steckdose 192.168.0.102 nicht erreichbar
|
||||||
|
2025-06-20 12:33:32 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 4: Steckdose 192.168.0.103 nicht erreichbar
|
||||||
|
2025-06-20 12:33:35 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 5: Steckdose 192.168.0.104 nicht erreichbar
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 6: Steckdose 192.168.0.106 nicht erreichbar
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [INFO] INFO - 🎯 STECKDOSEN-INITIALISIERUNG ABGESCHLOSSEN
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [INFO] INFO - 📊 Gesamt: 6 Steckdosen
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [INFO] INFO - ✅ Erfolgreich: 0
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [INFO] INFO - 📡 Nicht erreichbar: 6
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [INFO] INFO - ❌ Fehlgeschlagen: 0
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [WARNING] WARNING - ⚠️ KEINE Steckdose konnte initialisiert werden!
|
||||||
|
2025-06-20 12:33:38 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
||||||
|
2025-06-20 12:33:39 - [scheduler] scheduler - [INFO] INFO - Task check_jobs registriert: Intervall 30s, Enabled: True
|
||||||
|
2025-06-20 12:33:41 - [scheduler] scheduler - [INFO] INFO - Scheduler-Thread gestartet
|
||||||
|
2025-06-20 12:33:41 - [scheduler] scheduler - [INFO] INFO - Scheduler gestartet
|
||||||
|
2025-06-20 12:33:41 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte Steckdosen-Initialisierung beim Systemstart...
|
||||||
|
2025-06-20 12:33:41 - [scheduler] scheduler - [INFO] INFO - 🔍 Prüfe 6 konfigurierte Steckdosen...
|
||||||
|
2025-06-20 12:33:44 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 1: Steckdose 192.168.0.100 nicht erreichbar
|
||||||
|
2025-06-20 12:33:47 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 2: Steckdose 192.168.0.101 nicht erreichbar
|
||||||
|
2025-06-20 12:33:50 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 3: Steckdose 192.168.0.102 nicht erreichbar
|
||||||
|
2025-06-20 12:33:53 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 4: Steckdose 192.168.0.103 nicht erreichbar
|
||||||
|
2025-06-20 12:33:56 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 5: Steckdose 192.168.0.104 nicht erreichbar
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 6: Steckdose 192.168.0.106 nicht erreichbar
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [INFO] INFO - 🎯 STECKDOSEN-INITIALISIERUNG ABGESCHLOSSEN
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [INFO] INFO - 📊 Gesamt: 6 Steckdosen
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [INFO] INFO - ✅ Erfolgreich: 0
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [INFO] INFO - 📡 Nicht erreichbar: 6
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [INFO] INFO - ❌ Fehlgeschlagen: 0
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [WARNING] WARNING - ⚠️ KEINE Steckdose konnte initialisiert werden!
|
||||||
|
2025-06-20 12:33:59 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
||||||
|
2025-06-20 12:34:05 - [scheduler] scheduler - [INFO] INFO - Task check_jobs registriert: Intervall 30s, Enabled: True
|
||||||
|
2025-06-20 12:34:07 - [scheduler] scheduler - [INFO] INFO - Scheduler-Thread gestartet
|
||||||
|
2025-06-20 12:34:07 - [scheduler] scheduler - [INFO] INFO - Scheduler gestartet
|
||||||
|
2025-06-20 12:34:07 - [scheduler] scheduler - [INFO] INFO - 🚀 Starte Steckdosen-Initialisierung beim Systemstart...
|
||||||
|
2025-06-20 12:34:07 - [scheduler] scheduler - [INFO] INFO - 🔍 Prüfe 6 konfigurierte Steckdosen...
|
||||||
|
2025-06-20 12:34:10 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 1: Steckdose 192.168.0.100 nicht erreichbar
|
||||||
|
2025-06-20 12:34:13 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 2: Steckdose 192.168.0.101 nicht erreichbar
|
||||||
|
2025-06-20 12:34:16 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 3: Steckdose 192.168.0.102 nicht erreichbar
|
||||||
|
2025-06-20 12:34:19 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 4: Steckdose 192.168.0.103 nicht erreichbar
|
||||||
|
2025-06-20 12:34:22 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 5: Steckdose 192.168.0.104 nicht erreichbar
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [WARNING] WARNING - 📡 Drucker 6: Steckdose 192.168.0.106 nicht erreichbar
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [INFO] INFO - 🎯 STECKDOSEN-INITIALISIERUNG ABGESCHLOSSEN
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [INFO] INFO - 📊 Gesamt: 6 Steckdosen
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [INFO] INFO - ✅ Erfolgreich: 0
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [INFO] INFO - 📡 Nicht erreichbar: 6
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [INFO] INFO - ❌ Fehlgeschlagen: 0
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [WARNING] WARNING - ⚠️ KEINE Steckdose konnte initialisiert werden!
|
||||||
|
2025-06-20 12:34:25 - [scheduler] scheduler - [INFO] INFO - ============================================================
|
||||||
|
@ -1583,3 +1583,15 @@
|
|||||||
2025-06-20 12:26:01 - [security_suite] security_suite - [INFO] INFO - ✅ Security Suite Module initialisiert
|
2025-06-20 12:26:01 - [security_suite] security_suite - [INFO] INFO - ✅ Security Suite Module initialisiert
|
||||||
2025-06-20 12:26:01 - [security_suite] security_suite - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
2025-06-20 12:26:01 - [security_suite] security_suite - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
2025-06-20 12:26:02 - [security_suite] security_suite - [INFO] INFO - 🔒 Security Suite initialisiert
|
2025-06-20 12:26:02 - [security_suite] security_suite - [INFO] INFO - 🔒 Security Suite initialisiert
|
||||||
|
2025-06-20 12:32:59 - [security_suite] security_suite - [INFO] INFO - ✅ Security Suite Module initialisiert
|
||||||
|
2025-06-20 12:32:59 - [security_suite] security_suite - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:00 - [security_suite] security_suite - [INFO] INFO - 🔒 Security Suite initialisiert
|
||||||
|
2025-06-20 12:33:19 - [security_suite] security_suite - [INFO] INFO - ✅ Security Suite Module initialisiert
|
||||||
|
2025-06-20 12:33:19 - [security_suite] security_suite - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:20 - [security_suite] security_suite - [INFO] INFO - 🔒 Security Suite initialisiert
|
||||||
|
2025-06-20 12:33:39 - [security_suite] security_suite - [INFO] INFO - ✅ Security Suite Module initialisiert
|
||||||
|
2025-06-20 12:33:39 - [security_suite] security_suite - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:33:41 - [security_suite] security_suite - [INFO] INFO - 🔒 Security Suite initialisiert
|
||||||
|
2025-06-20 12:34:05 - [security_suite] security_suite - [INFO] INFO - ✅ Security Suite Module initialisiert
|
||||||
|
2025-06-20 12:34:05 - [security_suite] security_suite - [INFO] INFO - 📊 Massive Konsolidierung: 3 Dateien → 1 Datei (67% Reduktion)
|
||||||
|
2025-06-20 12:34:06 - [security_suite] security_suite - [INFO] INFO - 🔒 Security Suite initialisiert
|
||||||
|
@ -4196,3 +4196,39 @@
|
|||||||
2025-06-20 12:26:01 - [startup] startup - [INFO] INFO - 🪟 Windows-Modus: Aktiviert
|
2025-06-20 12:26:01 - [startup] startup - [INFO] INFO - 🪟 Windows-Modus: Aktiviert
|
||||||
2025-06-20 12:26:01 - [startup] startup - [INFO] INFO - 🔒 Windows-sichere Log-Rotation: Aktiviert
|
2025-06-20 12:26:01 - [startup] startup - [INFO] INFO - 🔒 Windows-sichere Log-Rotation: Aktiviert
|
||||||
2025-06-20 12:26:01 - [startup] startup - [INFO] INFO - ==================================================
|
2025-06-20 12:26:01 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - [START] MYP Platform Backend wird gestartet...
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - 🐍 Python Version: 3.13.3 (tags/v3.13.3:6280bb5, Apr 8 2025, 14:47:33) [MSC v.1943 64 bit (AMD64)]
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - 💻 Betriebssystem: nt (win32)
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - 📁 Arbeitsverzeichnis: C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - ⏰ Startzeit: 2025-06-20T12:33:00.667255
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - 🪟 Windows-Modus: Aktiviert
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - 🔒 Windows-sichere Log-Rotation: Aktiviert
|
||||||
|
2025-06-20 12:33:00 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - [START] MYP Platform Backend wird gestartet...
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - 🐍 Python Version: 3.13.3 (tags/v3.13.3:6280bb5, Apr 8 2025, 14:47:33) [MSC v.1943 64 bit (AMD64)]
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - 💻 Betriebssystem: nt (win32)
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - 📁 Arbeitsverzeichnis: C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - ⏰ Startzeit: 2025-06-20T12:33:20.430523
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - 🪟 Windows-Modus: Aktiviert
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - 🔒 Windows-sichere Log-Rotation: Aktiviert
|
||||||
|
2025-06-20 12:33:20 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - [START] MYP Platform Backend wird gestartet...
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - 🐍 Python Version: 3.13.3 (tags/v3.13.3:6280bb5, Apr 8 2025, 14:47:33) [MSC v.1943 64 bit (AMD64)]
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - 💻 Betriebssystem: nt (win32)
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - 📁 Arbeitsverzeichnis: C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - ⏰ Startzeit: 2025-06-20T12:33:40.964000
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - 🪟 Windows-Modus: Aktiviert
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - 🔒 Windows-sichere Log-Rotation: Aktiviert
|
||||||
|
2025-06-20 12:33:40 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - [START] MYP Platform Backend wird gestartet...
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - 🐍 Python Version: 3.13.3 (tags/v3.13.3:6280bb5, Apr 8 2025, 14:47:33) [MSC v.1943 64 bit (AMD64)]
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - 💻 Betriebssystem: nt (win32)
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - 📁 Arbeitsverzeichnis: C:\Users\TTOMCZA.EMEA\Dev\Projektarbeit-MYP\backend
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - ⏰ Startzeit: 2025-06-20T12:34:06.720301
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - 🪟 Windows-Modus: Aktiviert
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - 🔒 Windows-sichere Log-Rotation: Aktiviert
|
||||||
|
2025-06-20 12:34:06 - [startup] startup - [INFO] INFO - ==================================================
|
||||||
|
@ -1379,3 +1379,11 @@
|
|||||||
2025-06-20 12:25:35 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
2025-06-20 12:25:35 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
||||||
2025-06-20 12:26:00 - [utilities_collection] utilities_collection - [INFO] INFO - ✅ Utilities Collection initialisiert
|
2025-06-20 12:26:00 - [utilities_collection] utilities_collection - [INFO] INFO - ✅ Utilities Collection initialisiert
|
||||||
2025-06-20 12:26:00 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
2025-06-20 12:26:00 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
||||||
|
2025-06-20 12:32:59 - [utilities_collection] utilities_collection - [INFO] INFO - ✅ Utilities Collection initialisiert
|
||||||
|
2025-06-20 12:32:59 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
||||||
|
2025-06-20 12:33:19 - [utilities_collection] utilities_collection - [INFO] INFO - ✅ Utilities Collection initialisiert
|
||||||
|
2025-06-20 12:33:19 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
||||||
|
2025-06-20 12:33:39 - [utilities_collection] utilities_collection - [INFO] INFO - ✅ Utilities Collection initialisiert
|
||||||
|
2025-06-20 12:33:39 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
||||||
|
2025-06-20 12:34:05 - [utilities_collection] utilities_collection - [INFO] INFO - ✅ Utilities Collection initialisiert
|
||||||
|
2025-06-20 12:34:05 - [utilities_collection] utilities_collection - [INFO] INFO - 🚨 ALLERLETZTE MEGA-Konsolidierung: 12+ Dateien → 1 Datei (90%+ Reduktion)
|
||||||
|
@ -523,3 +523,11 @@
|
|||||||
2025-06-20 12:25:35 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
2025-06-20 12:25:35 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
||||||
2025-06-20 12:26:00 - [windows_fixes] windows_fixes - [INFO] INFO - 🔧 Wende Windows-spezifische Fixes an...
|
2025-06-20 12:26:00 - [windows_fixes] windows_fixes - [INFO] INFO - 🔧 Wende Windows-spezifische Fixes an...
|
||||||
2025-06-20 12:26:00 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
2025-06-20 12:26:00 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
||||||
|
2025-06-20 12:32:59 - [windows_fixes] windows_fixes - [INFO] INFO - 🔧 Wende Windows-spezifische Fixes an...
|
||||||
|
2025-06-20 12:32:59 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
||||||
|
2025-06-20 12:33:19 - [windows_fixes] windows_fixes - [INFO] INFO - 🔧 Wende Windows-spezifische Fixes an...
|
||||||
|
2025-06-20 12:33:19 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
||||||
|
2025-06-20 12:33:39 - [windows_fixes] windows_fixes - [INFO] INFO - 🔧 Wende Windows-spezifische Fixes an...
|
||||||
|
2025-06-20 12:33:39 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
||||||
|
2025-06-20 12:34:05 - [windows_fixes] windows_fixes - [INFO] INFO - 🔧 Wende Windows-spezifische Fixes an...
|
||||||
|
2025-06-20 12:34:05 - [windows_fixes] windows_fixes - [INFO] INFO - ✅ Alle Windows-Fixes erfolgreich angewendet
|
||||||
|
File diff suppressed because one or more lines are too long
Reference in New Issue
Block a user