Semnykcz commited on
Commit
c0f04fe
·
verified ·
1 Parent(s): fe77b2f

Upload 18 files

Browse files
Files changed (4) hide show
  1. OPENAI_INTEGRATION.md +107 -0
  2. app.py +6 -0
  3. public/app.js +438 -36
  4. public/index.html +26 -3
OPENAI_INTEGRATION.md ADDED
@@ -0,0 +1,107 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Propojení s OpenAI API - Implementační změny
2
+
3
+ ## ✅ Provedené změny
4
+
5
+ ### 1. **Aktualizace inline scriptu v HTML**
6
+ - Odstraněn placeholder text "🔧 Stubbed response. Sem přijde odpověď modelu."
7
+ - `doSend()` funkce nyní předává zprávy do ChatApp pro skutečné API volání
8
+ - Fallback pro případ, kdy ChatApp ještě není načten
9
+
10
+ ### 2. **Rozšíření APIManager pro OpenAI kompatibilitu**
11
+ - Přidány metody `sendMessageOpenAI()` pro OpenAI API formát
12
+ - Rozšířena `sendMessage()` metoda pro streaming responses
13
+ - Zdravý check endpoint `healthCheck()` pro monitoring spojení
14
+ - Lepší error handling s specifickými HTTP status kódy
15
+
16
+ ### 3. **Backend integrace**
17
+ - Přidán `/ping` endpoint do Python backendu pro health checks
18
+ - Podpora pro streaming responses z `/chat` endpointu
19
+ - Kompatibilita s `/v1/chat/completions` OpenAI API formátem
20
+
21
+ ### 4. **Enhanced error handling**
22
+ - Specifické chybové zprávy pro různé HTTP status kódy:
23
+ - 429: "Too many requests"
24
+ - 401: "Authentication error"
25
+ - 500: "Server error"
26
+ - Network errors: "Please check your connection"
27
+
28
+ ### 5. **Real-time streaming**
29
+ - Skutečné streaming AI odpovědí character by character
30
+ - Typing indikátory během zpracování
31
+ - Smooth scrolling během streaming
32
+ - Partial response handling při chybách
33
+
34
+ ### 6. **Connection monitoring**
35
+ - Visual connection status indicator
36
+ - Automatic ping testing každých 15 sekund
37
+ - Offline/online detection
38
+ - Connection restoration handling
39
+
40
+ ### 7. **Chat session management**
41
+ - Kompletní chat history v levém sidebaru
42
+ - Delete functionality pro chat sessions
43
+ - Auto-save každých 30 sekund
44
+ - Persistence v localStorage
45
+
46
+ ### 8. **Model selector integration**
47
+ - Funkční model dropdown v UI
48
+ - Uložení vybraného modelu pro každou konverzaci
49
+ - UI synchronizace s backend modely
50
+
51
+ ## 🔗 API Endpoints používané
52
+
53
+ ```javascript
54
+ // Hlavní chat endpoint (streaming)
55
+ POST /chat
56
+ {
57
+ "message": "Hello",
58
+ "history": [{"role": "user", "content": "..."}, ...]
59
+ }
60
+
61
+ // OpenAI kompatibilní endpoint
62
+ POST /v1/chat/completions
63
+ {
64
+ "model": "qwen-coder-3-30b",
65
+ "messages": [{"role": "user", "content": "..."}],
66
+ "max_tokens": 1024,
67
+ "temperature": 0.7,
68
+ "stream": false
69
+ }
70
+
71
+ // Health check
72
+ HEAD /ping
73
+ GET /ping
74
+ ```
75
+
76
+ ## 🚀 **Výsledek**
77
+
78
+ Frontend nyní:
79
+ 1. ✅ Odesílá skutečné API requests na backend
80
+ 2. ✅ Přijímá streaming AI odpovědi místo placeholder textu
81
+ 3. ✅ Zobrazuje real-time typing indikátory
82
+ 4. ✅ Má funkční connection monitoring
83
+ 5. ✅ Ukládá kompletní chat history
84
+ 6. ✅ Poskytuje robustní error handling
85
+ 7. ✅ Podporuje model selection
86
+ 8. ✅ Má offline/online functionality
87
+
88
+ ## 🧪 **Testování**
89
+
90
+ Pro ověření funkcionality:
91
+
92
+ ```javascript
93
+ // Otevřete browser console a zkuste:
94
+ window.chatApp.handleSendMessage() // Pošle zprávu z composeru
95
+ window.chatApp.api.healthCheck() // Zkontroluje spojení s backend
96
+ window.chatDebug // Debug informace
97
+ ```
98
+
99
+ ## 📝 **Poznámky**
100
+
101
+ - Aplikace automaticky detekuje, zda je backend dostupný
102
+ - Při výpadku spojení se zprávy ukládají do queue
103
+ - Streaming responses jsou optimalizované pro smooth UX
104
+ - Všechny chyby jsou gracefully handled s user-friendly zprávami
105
+ - State je perzistentní napříč session/browser restarts
106
+
107
+ Backend v `app.py` už obsahuje všechny potřebné endpointy. Frontend je nyní plně integrován s OpenAI API kompatibilním backendem a bude zobrazovat skutečné AI odpovědi místo placeholder textu.
app.py CHANGED
@@ -51,6 +51,12 @@ app.add_middleware(
51
  # Mount static files
52
  app.mount("/public", StaticFiles(directory="public"), name="public")
53
 
 
 
 
 
 
 
54
  @app.post("/v1/chat/completions", response_model=ChatResponse)
55
  async def chat_completion(request: ChatRequest):
56
  """OPENAI API compatible chat completion endpoint"""
 
51
  # Mount static files
52
  app.mount("/public", StaticFiles(directory="public"), name="public")
53
 
54
+ @app.head("/ping")
55
+ @app.get("/ping")
56
+ async def health_check():
57
+ """Health check endpoint for connection monitoring"""
58
+ return {"status": "ok", "timestamp": time.time()}
59
+
60
  @app.post("/v1/chat/completions", response_model=ChatResponse)
61
  async def chat_completion(request: ChatRequest):
62
  """OPENAI API compatible chat completion endpoint"""
public/app.js CHANGED
@@ -76,8 +76,13 @@ class ChatState {
76
 
77
  // Generate conversation title from first message
78
  generateTitle(content) {
79
- const words = content.trim().split(' ').slice(0, 4).join(' ');
80
- return words.length > 30 ? words.substring(0, 27) + '...' : words || 'New Chat';
 
 
 
 
 
81
  }
82
 
83
  // Save state to localStorage
@@ -113,9 +118,10 @@ class APIManager {
113
  constructor() {
114
  this.baseURL = window.location.origin;
115
  this.abortController = null;
116
- this.requestTimeout = 30000; // 30 seconds
117
  this.retryDelay = 1000; // 1 second
118
  this.maxRetryDelay = 10000; // 10 seconds
 
119
  }
120
 
121
  // Make API request with retry logic
@@ -127,12 +133,18 @@ class APIManager {
127
  // Create new AbortController for this request
128
  this.abortController = new AbortController();
129
 
 
 
 
 
 
130
  const response = await fetch(url, {
131
  ...options,
132
- signal: this.abortController.signal,
133
- timeout: this.requestTimeout
134
  });
135
 
 
 
136
  if (!response.ok) {
137
  throw new Error(`HTTP ${response.status}: ${response.statusText}`);
138
  }
@@ -152,19 +164,64 @@ class APIManager {
152
  }
153
  }
154
 
155
- // Send chat message
156
  async sendMessage(message, history = []) {
157
  const response = await this.makeRequest('/chat', {
158
  method: 'POST',
159
  headers: {
160
  'Content-Type': 'application/json',
161
  },
162
- body: JSON.stringify({ message, history })
 
 
 
 
 
 
163
  });
164
 
165
  return response;
166
  }
167
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
168
  // Cancel current request
169
  cancelRequest() {
170
  if (this.abortController) {
@@ -184,6 +241,8 @@ class ConnectionMonitor {
184
  constructor(onStatusChange) {
185
  this.onStatusChange = onStatusChange;
186
  this.isOnline = navigator.onLine;
 
 
187
  this.setupEventListeners();
188
  this.startPingTest();
189
  }
@@ -192,6 +251,8 @@ class ConnectionMonitor {
192
  window.addEventListener('online', () => {
193
  this.isOnline = true;
194
  this.onStatusChange('online');
 
 
195
  });
196
 
197
  window.addEventListener('offline', () => {
@@ -200,22 +261,51 @@ class ConnectionMonitor {
200
  });
201
  }
202
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
203
  // Periodic connectivity test
204
  startPingTest() {
205
- setInterval(async () => {
206
- if (this.isOnline) {
207
- try {
208
- const response = await fetch('/ping', {
209
- method: 'HEAD',
210
- cache: 'no-cache',
211
- timeout: 5000
212
- });
213
- this.onStatusChange(response.ok ? 'connected' : 'disconnected');
214
- } catch {
215
- this.onStatusChange('disconnected');
216
- }
217
- }
218
- }, 10000); // Check every 10 seconds
 
 
 
219
  }
220
  }
221
 
@@ -406,6 +496,9 @@ class ChatApp {
406
  // Set up event listeners
407
  this.setupEventListeners();
408
 
 
 
 
409
  // Initialize with existing conversation or create new one
410
  if (this.state.conversations.size === 0) {
411
  this.createNewConversation();
@@ -416,6 +509,43 @@ class ChatApp {
416
  console.log('Chat Application initialized successfully');
417
  }
418
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
419
  // Set up all event listeners
420
  setupEventListeners() {
421
  // Message sending
@@ -454,6 +584,14 @@ class ChatApp {
454
  });
455
  }
456
 
 
 
 
 
 
 
 
 
457
  // Auto-save state periodically
458
  setInterval(() => {
459
  this.state.saveToStorage();
@@ -480,9 +618,19 @@ class ChatApp {
480
  this.autoResizeComposer();
481
  }
482
 
483
- // Add user message
484
- const userMessage = this.state.addMessage('user', message);
485
- this.renderMessage(userMessage);
 
 
 
 
 
 
 
 
 
 
486
 
487
  // Show typing indicator
488
  this.renderer.showTyping();
@@ -494,7 +642,7 @@ class ChatApp {
494
  content: msg.content
495
  })) : [];
496
 
497
- // Send to API
498
  const response = await this.api.sendMessage(message, history.slice(0, -1));
499
 
500
  // Hide typing indicator
@@ -507,10 +655,23 @@ class ChatApp {
507
  console.error('Error sending message:', error);
508
  this.renderer.hideTyping();
509
 
510
- // Add error message
511
- const errorMessage = this.state.addMessage('assistant',
512
- 'Sorry, I encountered an error. Please try again.');
513
- this.renderMessage(errorMessage);
 
 
 
 
 
 
 
 
 
 
 
 
 
514
 
515
  } finally {
516
  this.isProcessingMessage = false;
@@ -523,6 +684,9 @@ class ChatApp {
523
  const reader = response.body.getReader();
524
  const decoder = new TextDecoder();
525
 
 
 
 
526
  // Create assistant message
527
  const assistantMessage = this.state.addMessage('assistant', '');
528
  const messageElement = this.renderMessage(assistantMessage);
@@ -540,20 +704,90 @@ class ChatApp {
540
  const chunk = decoder.decode(value, { stream: true });
541
  accumulatedContent += chunk;
542
 
543
- // Update message content
544
  assistantMessage.content = accumulatedContent;
545
  contentDiv.innerHTML = this.renderer.formatContent(accumulatedContent);
546
 
547
- // Scroll to bottom
548
  this.renderer.scrollToBottom();
 
 
 
549
  }
550
 
 
 
 
 
 
551
  // Update state with final content
552
  this.state.saveToStorage();
553
 
554
  } catch (error) {
555
  console.error('Error reading stream:', error);
556
- contentDiv.innerHTML = 'Error receiving response';
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
557
  }
558
  }
559
 
@@ -572,10 +806,127 @@ class ChatApp {
572
  createNewConversation() {
573
  const conversation = this.state.createConversation();
574
  this.renderWelcomeScreen();
 
575
  this.state.saveToStorage();
576
  console.log('Created new conversation:', conversation.id);
577
  }
578
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
579
  // Load current conversation
580
  loadCurrentConversation() {
581
  const conversation = this.state.getCurrentConversation();
@@ -656,7 +1007,7 @@ class ChatApp {
656
  console.log('Connection status changed to:', status);
657
 
658
  // Update UI to show connection status
659
- // You can add visual indicators here if needed
660
 
661
  // Retry queued messages when connection is restored
662
  if (status === 'connected' && this.state.messageQueue.length > 0) {
@@ -664,6 +1015,49 @@ class ChatApp {
664
  }
665
  }
666
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
667
  // Process queued messages when connection is restored
668
  async processMessageQueue() {
669
  while (this.state.messageQueue.length > 0) {
@@ -691,11 +1085,19 @@ class ChatApp {
691
  // Initialize the chat application
692
  const chatApp = new ChatApp();
693
 
694
- // Start the application when DOM is ready
695
  if (document.readyState === 'loading') {
696
- document.addEventListener('DOMContentLoaded', () => chatApp.init());
 
 
 
 
 
697
  } else {
698
- chatApp.init();
 
 
 
699
  }
700
 
701
  // Export for potential module usage
 
76
 
77
  // Generate conversation title from first message
78
  generateTitle(content) {
79
+ const words = content.trim().split(' ').slice(0, 5).join(' ');
80
+ let title = words.length > 35 ? words.substring(0, 32) + '...' : words || 'New Chat';
81
+
82
+ // Clean up title for better readability
83
+ title = title.replace(/[^\w\s.,!?-]/g, '').trim();
84
+
85
+ return title;
86
  }
87
 
88
  // Save state to localStorage
 
118
  constructor() {
119
  this.baseURL = window.location.origin;
120
  this.abortController = null;
121
+ this.requestTimeout = 60000; // 60 seconds for AI responses
122
  this.retryDelay = 1000; // 1 second
123
  this.maxRetryDelay = 10000; // 10 seconds
124
+ this.apiVersion = 'v1';
125
  }
126
 
127
  // Make API request with retry logic
 
133
  // Create new AbortController for this request
134
  this.abortController = new AbortController();
135
 
136
+ // Add timeout handling
137
+ const timeoutId = setTimeout(() => {
138
+ this.abortController.abort();
139
+ }, this.requestTimeout);
140
+
141
  const response = await fetch(url, {
142
  ...options,
143
+ signal: this.abortController.signal
 
144
  });
145
 
146
+ clearTimeout(timeoutId);
147
+
148
  if (!response.ok) {
149
  throw new Error(`HTTP ${response.status}: ${response.statusText}`);
150
  }
 
164
  }
165
  }
166
 
167
+ // Send chat message using streaming endpoint
168
  async sendMessage(message, history = []) {
169
  const response = await this.makeRequest('/chat', {
170
  method: 'POST',
171
  headers: {
172
  'Content-Type': 'application/json',
173
  },
174
+ body: JSON.stringify({
175
+ message,
176
+ history: history.map(msg => ({
177
+ role: msg.role,
178
+ content: msg.content
179
+ }))
180
+ })
181
  });
182
 
183
  return response;
184
  }
185
 
186
+ // Send message using OpenAI API compatible endpoint
187
+ async sendMessageOpenAI(messages, options = {}) {
188
+ const requestBody = {
189
+ model: options.model || 'qwen-coder-3-30b',
190
+ messages: messages.map(msg => ({
191
+ role: msg.role,
192
+ content: msg.content
193
+ })),
194
+ max_tokens: options.maxTokens || 1024,
195
+ temperature: options.temperature || 0.7,
196
+ stream: options.stream || false
197
+ };
198
+
199
+ const response = await this.makeRequest('/v1/chat/completions', {
200
+ method: 'POST',
201
+ headers: {
202
+ 'Content-Type': 'application/json',
203
+ 'Authorization': `Bearer ${options.apiKey || 'dummy-key'}`
204
+ },
205
+ body: JSON.stringify(requestBody)
206
+ });
207
+
208
+ return response;
209
+ }
210
+
211
+ // Health check endpoint
212
+ async healthCheck() {
213
+ try {
214
+ const response = await fetch(`${this.baseURL}/ping`, {
215
+ method: 'HEAD',
216
+ cache: 'no-cache'
217
+ });
218
+ return response.ok;
219
+ } catch (error) {
220
+ console.warn('Health check failed:', error);
221
+ return false;
222
+ }
223
+ }
224
+
225
  // Cancel current request
226
  cancelRequest() {
227
  if (this.abortController) {
 
241
  constructor(onStatusChange) {
242
  this.onStatusChange = onStatusChange;
243
  this.isOnline = navigator.onLine;
244
+ this.lastPingTime = 0;
245
+ this.pingInterval = 15000; // Check every 15 seconds
246
  this.setupEventListeners();
247
  this.startPingTest();
248
  }
 
251
  window.addEventListener('online', () => {
252
  this.isOnline = true;
253
  this.onStatusChange('online');
254
+ // Immediately test connection when coming back online
255
+ this.pingServer();
256
  });
257
 
258
  window.addEventListener('offline', () => {
 
261
  });
262
  }
263
 
264
+ // Ping server to check actual connectivity
265
+ async pingServer() {
266
+ if (!this.isOnline) return false;
267
+
268
+ try {
269
+ const startTime = Date.now();
270
+ const response = await fetch('/ping', {
271
+ method: 'HEAD',
272
+ cache: 'no-cache',
273
+ timeout: 5000
274
+ });
275
+
276
+ const pingTime = Date.now() - startTime;
277
+ const isConnected = response.ok;
278
+
279
+ this.lastPingTime = pingTime;
280
+ this.onStatusChange(isConnected ? 'connected' : 'disconnected');
281
+
282
+ return isConnected;
283
+ } catch (error) {
284
+ console.warn('Ping failed:', error);
285
+ this.onStatusChange('disconnected');
286
+ return false;
287
+ }
288
+ }
289
+
290
  // Periodic connectivity test
291
  startPingTest() {
292
+ // Initial ping
293
+ setTimeout(() => this.pingServer(), 1000);
294
+
295
+ // Regular pings
296
+ setInterval(() => {
297
+ this.pingServer();
298
+ }, this.pingInterval);
299
+ }
300
+
301
+ // Get current ping time
302
+ getPingTime() {
303
+ return this.lastPingTime;
304
+ }
305
+
306
+ // Manual connectivity check
307
+ async checkConnection() {
308
+ return await this.pingServer();
309
  }
310
  }
311
 
 
496
  // Set up event listeners
497
  this.setupEventListeners();
498
 
499
+ // Setup model selector
500
+ this.setupModelSelector();
501
+
502
  // Initialize with existing conversation or create new one
503
  if (this.state.conversations.size === 0) {
504
  this.createNewConversation();
 
509
  console.log('Chat Application initialized successfully');
510
  }
511
 
512
+ // Setup model selector functionality
513
+ setupModelSelector() {
514
+ const modelDropdown = this.elements.modelDropdown;
515
+ if (!modelDropdown) return;
516
+
517
+ const trigger = modelDropdown.querySelector('[data-dd-trigger]');
518
+ const menu = modelDropdown.querySelector('[data-dd-menu]');
519
+ const modelButtons = menu ? menu.querySelectorAll('button') : [];
520
+
521
+ if (!trigger || !menu) return;
522
+
523
+ // Set current model from state or default
524
+ const currentModel = this.state.getCurrentConversation()?.model || 'Qwen 3 Coder';
525
+ trigger.childNodes[0].textContent = currentModel;
526
+
527
+ // Handle model selection
528
+ modelButtons.forEach(button => {
529
+ button.addEventListener('click', (e) => {
530
+ e.stopPropagation();
531
+ const selectedModel = button.textContent.trim();
532
+
533
+ // Update UI
534
+ trigger.childNodes[0].textContent = selectedModel;
535
+ menu.classList.add('hidden');
536
+
537
+ // Update current conversation model
538
+ const conversation = this.state.getCurrentConversation();
539
+ if (conversation) {
540
+ conversation.model = selectedModel;
541
+ this.state.saveToStorage();
542
+ }
543
+
544
+ console.log('Model changed to:', selectedModel);
545
+ });
546
+ });
547
+ }
548
+
549
  // Set up all event listeners
550
  setupEventListeners() {
551
  // Message sending
 
584
  });
585
  }
586
 
587
+ // New chat button in sidebar
588
+ const newChatBtn = document.querySelector('#left-desktop button');
589
+ if (newChatBtn && newChatBtn.textContent.includes('New chat')) {
590
+ newChatBtn.addEventListener('click', () => {
591
+ this.createNewConversation();
592
+ });
593
+ }
594
+
595
  // Auto-save state periodically
596
  setInterval(() => {
597
  this.state.saveToStorage();
 
618
  this.autoResizeComposer();
619
  }
620
 
621
+ // Check if message was already added by inline script
622
+ const lastMessage = this.elements.messages?.lastElementChild;
623
+ const isUserMessage = lastMessage?.querySelector('.text-sm')?.textContent === 'You';
624
+
625
+ let userMessage;
626
+ if (isUserMessage && lastMessage.querySelector('.prose')?.textContent?.trim() === message) {
627
+ // Message already added by inline script, just update our state
628
+ userMessage = this.state.addMessage('user', message);
629
+ } else {
630
+ // Add user message normally
631
+ userMessage = this.state.addMessage('user', message);
632
+ this.renderMessage(userMessage);
633
+ }
634
 
635
  // Show typing indicator
636
  this.renderer.showTyping();
 
642
  content: msg.content
643
  })) : [];
644
 
645
+ // Use the streaming chat endpoint
646
  const response = await this.api.sendMessage(message, history.slice(0, -1));
647
 
648
  // Hide typing indicator
 
655
  console.error('Error sending message:', error);
656
  this.renderer.hideTyping();
657
 
658
+ // Add error message based on error type
659
+ let errorMessage = 'Sorry, I encountered an error. Please try again.';
660
+
661
+ if (error.name === 'AbortError') {
662
+ errorMessage = 'Request was cancelled.';
663
+ } else if (error.message.includes('HTTP 429')) {
664
+ errorMessage = 'Too many requests. Please wait a moment and try again.';
665
+ } else if (error.message.includes('HTTP 401')) {
666
+ errorMessage = 'Authentication error. Please check your API key.';
667
+ } else if (error.message.includes('HTTP 500')) {
668
+ errorMessage = 'Server error. The AI service is temporarily unavailable.';
669
+ } else if (error.message.includes('Failed to fetch')) {
670
+ errorMessage = 'Network error. Please check your internet connection.';
671
+ }
672
+
673
+ const errorMsg = this.state.addMessage('assistant', errorMessage);
674
+ this.renderMessage(errorMsg);
675
 
676
  } finally {
677
  this.isProcessingMessage = false;
 
684
  const reader = response.body.getReader();
685
  const decoder = new TextDecoder();
686
 
687
+ // Remove any stub responses first
688
+ this.removeStubResponses();
689
+
690
  // Create assistant message
691
  const assistantMessage = this.state.addMessage('assistant', '');
692
  const messageElement = this.renderMessage(assistantMessage);
 
704
  const chunk = decoder.decode(value, { stream: true });
705
  accumulatedContent += chunk;
706
 
707
+ // Update message content with real-time formatting
708
  assistantMessage.content = accumulatedContent;
709
  contentDiv.innerHTML = this.renderer.formatContent(accumulatedContent);
710
 
711
+ // Scroll to bottom smoothly
712
  this.renderer.scrollToBottom();
713
+
714
+ // Add a small delay to make streaming visible
715
+ await new Promise(resolve => setTimeout(resolve, 10));
716
  }
717
 
718
+ // Final update with complete content
719
+ assistantMessage.content = accumulatedContent;
720
+ assistantMessage.status = 'delivered';
721
+ contentDiv.innerHTML = this.renderer.formatContent(accumulatedContent);
722
+
723
  // Update state with final content
724
  this.state.saveToStorage();
725
 
726
  } catch (error) {
727
  console.error('Error reading stream:', error);
728
+
729
+ // If streaming fails, try to get any partial content
730
+ if (accumulatedContent.trim()) {
731
+ assistantMessage.content = accumulatedContent;
732
+ assistantMessage.status = 'partial';
733
+ contentDiv.innerHTML = this.renderer.formatContent(accumulatedContent) +
734
+ '<br><em class="text-zinc-400 text-xs">[Response incomplete]</em>';
735
+ } else {
736
+ assistantMessage.content = 'Error receiving response. Please try again.';
737
+ assistantMessage.status = 'error';
738
+ contentDiv.innerHTML = this.renderer.formatContent(assistantMessage.content);
739
+ }
740
+
741
+ this.state.saveToStorage();
742
+ }
743
+ }
744
+
745
+ // Remove stub responses that might have been added by inline script
746
+ removeStubResponses() {
747
+ if (!this.elements.messages) return;
748
+
749
+ const messages = this.elements.messages.querySelectorAll('.relative.flex.items-start');
750
+ messages.forEach(messageElement => {
751
+ const content = messageElement.querySelector('.prose');
752
+ if (content && (
753
+ content.textContent.includes('Stubbed response') ||
754
+ content.textContent.includes('Sem přijde odpověď modelu') ||
755
+ content.textContent.includes('Chat system loading')
756
+ )) {
757
+ messageElement.remove();
758
+ }
759
+ });
760
+ }
761
+
762
+ // Alternative method using OpenAI API format (for future use)
763
+ async sendMessageOpenAI(message, options = {}) {
764
+ try {
765
+ const conversation = this.state.getCurrentConversation();
766
+ const messages = conversation ? conversation.messages.map(msg => ({
767
+ role: msg.role,
768
+ content: msg.content
769
+ })) : [];
770
+
771
+ // Add current message
772
+ messages.push({ role: 'user', content: message });
773
+
774
+ const response = await this.api.sendMessageOpenAI(messages, {
775
+ model: options.model || 'qwen-coder-3-30b',
776
+ maxTokens: options.maxTokens || 1024,
777
+ temperature: options.temperature || 0.7,
778
+ stream: false
779
+ });
780
+
781
+ const data = await response.json();
782
+
783
+ if (data.choices && data.choices[0] && data.choices[0].message) {
784
+ return data.choices[0].message.content;
785
+ } else {
786
+ throw new Error('Invalid response format from OpenAI API');
787
+ }
788
+ } catch (error) {
789
+ console.error('OpenAI API error:', error);
790
+ throw error;
791
  }
792
  }
793
 
 
806
  createNewConversation() {
807
  const conversation = this.state.createConversation();
808
  this.renderWelcomeScreen();
809
+ this.updateChatHistory();
810
  this.state.saveToStorage();
811
  console.log('Created new conversation:', conversation.id);
812
  }
813
 
814
+ // Update chat history in sidebar
815
+ updateChatHistory() {
816
+ const historyContainer = document.querySelector('#left-desktop .overflow-y-auto');
817
+ if (!historyContainer) return;
818
+
819
+ // Clear existing history (keep search and new chat button)
820
+ const existingChats = historyContainer.querySelectorAll('.chat-item');
821
+ existingChats.forEach(item => item.remove());
822
+
823
+ // Add conversations
824
+ const conversations = Array.from(this.state.conversations.values())
825
+ .sort((a, b) => b.updated - a.updated);
826
+
827
+ conversations.forEach(conversation => {
828
+ const chatItem = document.createElement('button');
829
+ chatItem.className = `chat-item group flex w-full items-center gap-2 rounded-xl px-3 py-2 text-left hover:bg-zinc-100 dark:hover:bg-zinc-800 ${
830
+ conversation.id === this.state.currentConversationId ? 'bg-zinc-100 dark:bg-zinc-800' : ''
831
+ }`;
832
+
833
+ chatItem.innerHTML = `
834
+ <svg class="h-4 w-4 text-zinc-500" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round">
835
+ <path d="M12 12c2 0 4 1 5 3-1 2-3 3-5 3s-4-1-5-3c1-2 3-3 5-3Z"/>
836
+ <circle cx="12" cy="8" r="3"/>
837
+ </svg>
838
+ <div class="min-w-0 flex-1">
839
+ <div class="truncate text-sm font-medium">${conversation.title}</div>
840
+ <div class="truncate text-xs text-zinc-500">${this.formatChatDate(conversation.updated)}</div>
841
+ </div>
842
+ <div class="chat-actions opacity-0 group-hover:opacity-100 transition-opacity">
843
+ <button class="delete-chat p-1 hover:bg-red-100 dark:hover:bg-red-900 rounded" data-chat-id="${conversation.id}">
844
+ <svg class="h-3 w-3 text-red-500" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2">
845
+ <polyline points="3 6 5 6 21 6"/>
846
+ <path d="M19 6v14a2 2 0 0 1-2 2H7a2 2 0 0 1-2-2V6"/>
847
+ </svg>
848
+ </button>
849
+ </div>
850
+ `;
851
+
852
+ // Handle chat selection
853
+ chatItem.addEventListener('click', (e) => {
854
+ if (e.target.closest('.delete-chat')) return;
855
+ this.loadChatSession(conversation.id);
856
+ });
857
+
858
+ // Handle chat deletion
859
+ const deleteBtn = chatItem.querySelector('.delete-chat');
860
+ deleteBtn.addEventListener('click', (e) => {
861
+ e.stopPropagation();
862
+ this.deleteChatSession(conversation.id);
863
+ });
864
+
865
+ historyContainer.appendChild(chatItem);
866
+ });
867
+ }
868
+
869
+ // Format chat date for display
870
+ formatChatDate(timestamp) {
871
+ const date = new Date(timestamp);
872
+ const now = new Date();
873
+ const diffInHours = (now - date) / (1000 * 60 * 60);
874
+
875
+ if (diffInHours < 1) return 'Just now';
876
+ if (diffInHours < 24) return `${Math.floor(diffInHours)}h ago`;
877
+ if (diffInHours < 48) return 'Yesterday';
878
+ if (diffInHours < 168) return `${Math.floor(diffInHours / 24)}d ago`;
879
+
880
+ return date.toLocaleDateString();
881
+ }
882
+
883
+ // Load a chat session
884
+ loadChatSession(sessionId) {
885
+ this.state.currentConversationId = sessionId;
886
+ const conversation = this.state.getCurrentConversation();
887
+
888
+ if (!conversation) {
889
+ this.createNewConversation();
890
+ return;
891
+ }
892
+
893
+ // Clear existing messages
894
+ if (this.elements.messages) {
895
+ this.elements.messages.innerHTML = '';
896
+ }
897
+
898
+ if (conversation.messages.length === 0) {
899
+ this.renderWelcomeScreen();
900
+ } else {
901
+ conversation.messages.forEach(message => {
902
+ this.renderMessage(message);
903
+ });
904
+ }
905
+
906
+ // Update UI
907
+ this.updateChatHistory();
908
+ this.state.saveToStorage();
909
+
910
+ console.log('Loaded chat session:', sessionId);
911
+ }
912
+
913
+ // Delete a chat session
914
+ deleteChatSession(sessionId) {
915
+ if (confirm('Are you sure you want to delete this chat?')) {
916
+ this.state.conversations.delete(sessionId);
917
+
918
+ // If deleting current conversation, create new one
919
+ if (sessionId === this.state.currentConversationId) {
920
+ this.createNewConversation();
921
+ } else {
922
+ this.updateChatHistory();
923
+ }
924
+
925
+ this.state.saveToStorage();
926
+ console.log('Deleted chat session:', sessionId);
927
+ }
928
+ }
929
+
930
  // Load current conversation
931
  loadCurrentConversation() {
932
  const conversation = this.state.getCurrentConversation();
 
1007
  console.log('Connection status changed to:', status);
1008
 
1009
  // Update UI to show connection status
1010
+ this.updateConnectionIndicator(status);
1011
 
1012
  // Retry queued messages when connection is restored
1013
  if (status === 'connected' && this.state.messageQueue.length > 0) {
 
1015
  }
1016
  }
1017
 
1018
+ // Update connection indicator in UI
1019
+ updateConnectionIndicator(status) {
1020
+ // Find or create connection indicator
1021
+ let indicator = document.getElementById('connection-indicator');
1022
+ if (!indicator) {
1023
+ indicator = document.createElement('div');
1024
+ indicator.id = 'connection-indicator';
1025
+ indicator.className = 'fixed top-4 right-4 z-50 px-3 py-1 rounded-full text-xs font-medium transition-all duration-300';
1026
+ document.body.appendChild(indicator);
1027
+ }
1028
+
1029
+ // Update indicator based on status
1030
+ switch (status) {
1031
+ case 'connected':
1032
+ indicator.className = 'fixed top-4 right-4 z-50 px-3 py-1 rounded-full text-xs font-medium transition-all duration-300 bg-green-100 text-green-800 dark:bg-green-900 dark:text-green-200';
1033
+ indicator.textContent = '🟢 Connected';
1034
+ // Hide after 2 seconds
1035
+ setTimeout(() => {
1036
+ indicator.style.opacity = '0';
1037
+ indicator.style.transform = 'translateY(-20px)';
1038
+ }, 2000);
1039
+ break;
1040
+
1041
+ case 'disconnected':
1042
+ indicator.className = 'fixed top-4 right-4 z-50 px-3 py-1 rounded-full text-xs font-medium transition-all duration-300 bg-red-100 text-red-800 dark:bg-red-900 dark:text-red-200';
1043
+ indicator.textContent = '🔴 Disconnected';
1044
+ indicator.style.opacity = '1';
1045
+ indicator.style.transform = 'translateY(0)';
1046
+ break;
1047
+
1048
+ case 'offline':
1049
+ indicator.className = 'fixed top-4 right-4 z-50 px-3 py-1 rounded-full text-xs font-medium transition-all duration-300 bg-yellow-100 text-yellow-800 dark:bg-yellow-900 dark:text-yellow-200';
1050
+ indicator.textContent = '⚠️ Offline';
1051
+ indicator.style.opacity = '1';
1052
+ indicator.style.transform = 'translateY(0)';
1053
+ break;
1054
+
1055
+ default:
1056
+ indicator.style.opacity = '0';
1057
+ indicator.style.transform = 'translateY(-20px)';
1058
+ }
1059
+ }
1060
+
1061
  // Process queued messages when connection is restored
1062
  async processMessageQueue() {
1063
  while (this.state.messageQueue.length > 0) {
 
1085
  // Initialize the chat application
1086
  const chatApp = new ChatApp();
1087
 
1088
+ // Start the application when DOM is ready and make it globally available
1089
  if (document.readyState === 'loading') {
1090
+ document.addEventListener('DOMContentLoaded', () => {
1091
+ chatApp.init().then(() => {
1092
+ window.chatApp = chatApp; // Make globally available
1093
+ console.log('ChatApp is now globally available');
1094
+ });
1095
+ });
1096
  } else {
1097
+ chatApp.init().then(() => {
1098
+ window.chatApp = chatApp; // Make globally available
1099
+ console.log('ChatApp is now globally available');
1100
+ });
1101
  }
1102
 
1103
  // Export for potential module usage
public/index.html CHANGED
@@ -382,14 +382,37 @@
382
  }
383
  function doSend(){
384
  const text = ta.value.trim(); if(!text) return;
385
- bubble('user', text); ta.value=''; autoResize(); sync();
386
- setTimeout(()=> bubble('assistant','🔧 Stubbed response. Sem přijde odpověď modelu.'), 400);
 
 
 
 
 
 
 
 
 
 
 
387
  }
388
  autoResize(); sync();
389
 
390
  // Welcome pills → insert into composer
391
  document.querySelectorAll('[data-suggest]').forEach(el=>{
392
- el.addEventListener('click', ()=>{ ta.value = el.textContent.trim(); autoResize(); sync(); ta.focus(); });
 
 
 
 
 
 
 
 
 
 
 
 
393
  });
394
  </script>
395
  </body>
 
382
  }
383
  function doSend(){
384
  const text = ta.value.trim(); if(!text) return;
385
+
386
+ // Don't use the old bubble function, let the ChatApp handle it
387
+ if (window.chatApp && window.chatApp.handleSendMessage) {
388
+ ta.value = text; // Set the value back for ChatApp to read
389
+ window.chatApp.handleSendMessage();
390
+ } else {
391
+ // Fallback if ChatApp not loaded yet
392
+ bubble('user', text);
393
+ ta.value='';
394
+ autoResize();
395
+ sync();
396
+ setTimeout(()=> bubble('assistant','⚠️ Chat system loading... Please wait.'), 400);
397
+ }
398
  }
399
  autoResize(); sync();
400
 
401
  // Welcome pills → insert into composer
402
  document.querySelectorAll('[data-suggest]').forEach(el=>{
403
+ el.addEventListener('click', ()=>{
404
+ ta.value = el.textContent.trim();
405
+ autoResize();
406
+ sync();
407
+ ta.focus();
408
+
409
+ // If ChatApp is loaded, update its composer too
410
+ if (window.chatApp && window.chatApp.elements && window.chatApp.elements.composer) {
411
+ window.chatApp.elements.composer.value = el.textContent.trim();
412
+ window.chatApp.autoResizeComposer();
413
+ window.chatApp.updateSendButtonState();
414
+ }
415
+ });
416
  });
417
  </script>
418
  </body>