saneowl commited on
Commit
0588a72
·
verified ·
1 Parent(s): 968b4e7

Create app.py

Browse files
Files changed (1) hide show
  1. app.py +207 -0
app.py ADDED
@@ -0,0 +1,207 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import gradio as gr
2
+ import requests
3
+ import json
4
+ import os
5
+ from datetime import datetime
6
+
7
+ # API configuration from environment variables
8
+ API_ENDPOINT = os.getenv("API_ENDPOINT", "none")
9
+ API_TOKEN = os.getenv("API_TOKEN")
10
+
11
+ def get_ai_response(message, history):
12
+ messages = [{"role": "user", "content": "You are a helpful assistant"}]
13
+ for user_msg, ai_msg in history:
14
+ messages.append({"role": "user", "content": user_msg})
15
+ messages.append({"role": "assistant", "content": ai_msg})
16
+ messages.append({"role": "user", "content": message})
17
+
18
+ payload = {
19
+ "model": "RekaAI/reka-flash-3",
20
+ "messages": messages,
21
+ "stream": False,
22
+ "max_tokens": 1024,
23
+ "temperature": 0.7
24
+ }
25
+
26
+ headers = {
27
+ "Authorization": f"Bearer {API_TOKEN}",
28
+ "Content-Type": "application/json"
29
+ }
30
+
31
+ try:
32
+ response = requests.post(API_ENDPOINT, headers=headers, json=payload)
33
+ response.raise_for_status()
34
+ return response.json()["choices"][0]["message"]["content"]
35
+ except Exception as e:
36
+ return f"Error: {str(e)}"
37
+
38
+ def chat_interface(message, history, stored_history):
39
+ if history is None:
40
+ history = []
41
+
42
+ ai_response = get_ai_response(message, history)
43
+ history.append((message, ai_response))
44
+
45
+ timestamp = datetime.now().strftime("%Y-%m-%d %H:%M:%S")
46
+ if stored_history is None:
47
+ stored_history = []
48
+ stored_history.insert(0, { # Insert at beginning for reverse chronological order
49
+ "timestamp": timestamp,
50
+ "user": message,
51
+ "ai": ai_response
52
+ })
53
+
54
+ return history, stored_history
55
+
56
+ # Modern black and white CSS
57
+ custom_css = """
58
+ body {
59
+ background-color: #1a1a1a;
60
+ color: #ffffff;
61
+ font-family: 'Arial', sans-serif;
62
+ }
63
+ #chatbot {
64
+ height: 60vh;
65
+ background-color: #2d2d2d;
66
+ border: 1px solid #404040;
67
+ border-radius: 8px;
68
+ }
69
+ #sidebar {
70
+ background-color: #242424;
71
+ padding: 10px;
72
+ border-right: 1px solid #404040;
73
+ height: 80vh;
74
+ overflow-y: auto;
75
+ }
76
+ #history_list {
77
+ list-style: none;
78
+ padding: 0;
79
+ }
80
+ .history-item {
81
+ background-color: #333333;
82
+ margin: 5px 0;
83
+ padding: 10px;
84
+ border-radius: 5px;
85
+ cursor: pointer;
86
+ }
87
+ .history-item:hover {
88
+ background-color: #404040;
89
+ }
90
+ input, button {
91
+ background-color: #333333;
92
+ color: #ffffff;
93
+ border: 1px solid #404040;
94
+ border-radius: 5px;
95
+ }
96
+ button:hover {
97
+ background-color: #404040;
98
+ }
99
+ """
100
+
101
+ with gr.Blocks(css=custom_css, title="Modern AI Chatbot") as demo:
102
+ with gr.Row():
103
+ # Sidebar for history
104
+ with gr.Column(scale=1, min_width=300, elem_id="sidebar"):
105
+ gr.Markdown("## Chat History")
106
+ history_display = gr.HTML(label="Previous Conversations")
107
+ clear_history_btn = gr.Button("Clear History")
108
+
109
+ # Main chat area
110
+ with gr.Column(scale=3):
111
+ chatbot = gr.Chatbot(elem_id="chatbot")
112
+ with gr.Row():
113
+ message = gr.Textbox(
114
+ placeholder="Type your message...",
115
+ show_label=False,
116
+ container=False,
117
+ elem_classes="input-box"
118
+ )
119
+ submit_btn = gr.Button("Send", size="sm")
120
+ clear_chat_btn = gr.Button("Clear Chat")
121
+
122
+ # States
123
+ chat_state = gr.State([])
124
+ history_state = gr.State([])
125
+
126
+ def update_history_display(stored_history):
127
+ if not stored_history:
128
+ return "<p>No history yet</p>"
129
+ html = "<ul id='history_list'>"
130
+ for item in stored_history[:10]: # Limit to last 10 conversations
131
+ html += f"""
132
+ <li class='history-item'>
133
+ <small>{item['timestamp']}</small><br>
134
+ <strong>You:</strong> {item['user'][:50]}...<br>
135
+ <strong>AI:</strong> {item['ai'][:50]}...
136
+ </li>
137
+ """
138
+ html += "</ul>"
139
+ return html
140
+
141
+ # Event handlers
142
+ submit_btn.click(
143
+ chat_interface,
144
+ [message, chat_state, history_state],
145
+ [chatbot, history_state]
146
+ ).then(
147
+ update_history_display,
148
+ history_state,
149
+ history_display
150
+ ).then(
151
+ lambda: "",
152
+ None,
153
+ message
154
+ )
155
+
156
+ clear_chat_btn.click(
157
+ lambda: ([], None),
158
+ None,
159
+ [chatbot, chat_state]
160
+ )
161
+
162
+ clear_history_btn.click(
163
+ lambda: ([], None),
164
+ None,
165
+ [history_state, history_display]
166
+ )
167
+
168
+ # Initial load
169
+ demo.load(
170
+ lambda: ([], []),
171
+ None,
172
+ [chat_state, history_state]
173
+ ).then(
174
+ update_history_display,
175
+ history_state,
176
+ history_display
177
+ )
178
+
179
+ # Update local storage
180
+ demo.change(
181
+ None,
182
+ history_state,
183
+ None,
184
+ _js="""(stored_history) => {
185
+ localStorage.setItem('chat_history', JSON.stringify(stored_history));
186
+ }"""
187
+ ).then(
188
+ update_history_display,
189
+ history_state,
190
+ history_display
191
+ )
192
+
193
+ # Load from local storage
194
+ demo.load(
195
+ lambda: json.loads(localStorage.getItem('chat_history') or '[]'),
196
+ None,
197
+ history_state,
198
+ _js="""() => {
199
+ return localStorage.getItem('chat_history') || '[]';
200
+ }"""
201
+ ).then(
202
+ update_history_display,
203
+ history_state,
204
+ history_display
205
+ )
206
+
207
+ demo.launch()