forked from ViperX7/Alpaca-Turbo
-
Notifications
You must be signed in to change notification settings - Fork 0
/
alpaca_turbo.py
424 lines (354 loc) · 13.5 KB
/
alpaca_turbo.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
"""
Alpaca Turbo
"""
import json
import logging
import os
import platform
import signal
from time import time
import psutil
from interact import Process as process
from rich import print as eprint
from rich.logging import RichHandler
from rich.progress import track
# from pwn import process
# pylint: disable=C0103
# pylint: disable=C0114
# pylint: disable=C0116
class AssistantSettings:
"""Settings handler for assistant"""
def __init__(self, assistant) -> None:
self.assistant = assistant
def load_settings(self):
if os.path.exists("settings.dat"):
with open("settings.dat", "r") as file:
settings = json.load(file)
_ =eprint(settings) if self.assistant.DEBUG else None
self.assistant.seed = settings["seed"]
self.assistant.top_k = settings["top_k"]
self.assistant.top_p = settings["top_p"]
self.assistant.temp = settings["temp"]
self.assistant.threads = settings["threads"]
self.assistant.repeat_penalty = settings["repeat_penalty"]
self.assistant.repeat_last_n = settings["repeat_last_n"]
self.assistant.model_path = settings["model_path"]
def save_settings(self):
settings = {
"seed": self.assistant.seed,
"top_k": self.assistant.top_k,
"top_p": self.assistant.top_p,
"temp": self.assistant.temp,
"threads": self.assistant.threads,
"repeat_penalty": self.assistant.repeat_penalty,
"repeat_last_n": self.assistant.repeat_last_n,
"model_path": self.assistant.model_path,
}
with open("settings.dat", "w") as file:
json.dump(settings, file)
class Assistant:
"""Alpaca Assistant"""
model_path = "~/dalai/alpaca/models/7B/ggml-model-q4_0.bin"
def __init__(self, auto_load=True, DEBUG=False) -> None:
self.DEBUG = DEBUG
self.seed = 888777
self.threads = 4
self.n_predict = 200
self.top_k = 40
self.top_p = 0.9
self.temp = 0.5
self.repeat_last_n = 64
self.repeat_penalty = 1.3
if platform.system() == "Windows":
Assistant.model_path = os.path.expanduser(Assistant.model_path).replace("/", "\\")
self.model_path = os.path.expanduser(Assistant.model_path)
self.persona = "chat transcript between human and a bot named devil and the bot remembers everything from previous response"
self.prompt = f"""Below is an instruction that describes a task. Write a response that appropriately completes the request."""
self.format = (
"""\n### Instruction:\n{instruction}\n\n### Response:\n{response}"""
)
self.enable_history = True
self.is_ready = False
self.settings = AssistantSettings(self)
self.end_marker = b"[end of text]"
self.chat_history = []
def reload(self):
try:
self.program.kill(signal.SIGTERM)
except:
pass
self.is_ready = False
self.prep_model()
@staticmethod
def get_bin_path():
if os.path.exists("bin/local"):
return "bin/local"
system_name = platform.system()
if system_name == "Linux":
name = "linux"
elif system_name == "Windows":
name = "win.exe"
elif system_name == "Darwin":
name = "mac"
# elif system_name == "Android":
# return "Android"
else:
exit()
return os.path.join("bin", name)
@property
def command(self):
command = [
Assistant.get_bin_path(),
# "--color",
# "-i",
"--seed",
f"{self.seed}",
"-t",
f"{self.threads}",
"--top_k",
f"{self.top_k}",
"--top_p",
f"{self.top_p}",
"--repeat_last_n",
f"{self.repeat_last_n}",
"--repeat_penalty",
f"{self.repeat_penalty}",
"-m",
f"{self.model_path}",
"--interactive-start",
]
return command
def prep_bot_input(self):
"""
prep_bot_input
"""
prompt = self.persona + "\n" + self.prompt
history = self.chat_history if self.enable_history else [self.chat_history[-1]]
for instr, resp in history:
prompt += self.format.format(instruction=instr, response=resp)
prompt = prompt.strip("\n")
prompt = prompt.replace("\n", "\\\n")
# print("======")
# print(prompt)
# print("======")
return prompt
def prep_model(self):
if self.is_ready:
return None
_ = (
""
if os.path.exists(self.model_path)
else print("Set the model path in settings")
)
if not os.path.exists(self.model_path):
return
if os.path.exists("./pid"):
try:
with open("./pid") as file:
pid = int(file.readline())
if psutil.pid_exists(pid):
os.kill(pid, signal.SIGTERM)
# os.remove("./pid")
except (ProcessLookupError, FileNotFoundError):
pass
tstart = time()
cmd = self.command
_ = eprint(cmd) if self.DEBUG else None
self.program = process(cmd, timeout=600)
self.program.readline()
self.program.recvuntil(b".")
model_done = False
for _ in track(range(40), "Loading Model"):
data = self.program.recv(1).decode("utf-8") if not model_done else None
model_done = True if data == "d" else model_done
if model_done:
continue
self.program.recvuntil("\n")
self.is_ready = True
tend = time()
eprint(f"Model Loaded in {(tend-tstart)} s")
def streamer(
self,
stuff_to_type,
pre_recv_hook=None,
post_recv_hook=None,
):
_ = self.prep_model() if not self.is_ready else None
self.program.recvuntil(">")
opts = stuff_to_type.split("\n")
for opt in opts:
self.program.sendline(opt)
while True:
# _ = pre_recv_hook(self.program) if pre_recv_hook is not None else None
yield self.program.recv(1)
# _ = post_recv_hook(self.program) if pre_recv_hook is not None else None
def ask_bot(self, question, answer=""):
self.chat_history.append((question, answer))
inp_to_send = self.prep_bot_input()
opt_stream = self.streamer(inp_to_send)
tstart = time()
buffer = b""
try:
isfirst = True
marker_detected = b""
char_old = b""
for char in opt_stream:
buffer += char # update the buffer
if isfirst:
t_firstchar = time()
wcount = len(question.replace("\n", " ").split(" "))
if self.DEBUG:
eprint(f"Size of Input: {len(question)} chars || {wcount} words")
eprint(
f"Time taken to analyze the user input {t_firstchar-tstart} s"
)
isfirst = False
else:
# Detect end of text if detected try to confirm else reset
if char == b"[" or marker_detected:
marker_detected += char
if marker_detected in self.end_marker[: len(marker_detected)]:
continue
marker_detected = b""
if self.end_marker in buffer:
buffer = buffer.replace(b"[end of text]", b"")
tend = time()
wcount = len(buffer.replace(b"\n", b" ").split(b" "))
if self.DEBUG == True:
eprint(f"Size of output: {len(buffer)} chars || {wcount} words")
eprint(f"Time taken to for generation {(tend-tstart)} s")
break
try:
# Load the full buffer
char = char_old + char
# print single printable chars
if len(char) == 1 and char[0] <= 0x7E and char[0] >= 0x21:
char = char.decode("utf-8")
char_old = b""
elif len(char) in [4, 6]: # If 4 byte code or 6 byte code
char = char.decode("utf-8")
char_old = b""
else:
char_old = char
continue
except UnicodeDecodeError:
char_old = char
continue
# print(char, end="")
yield char
except (KeyboardInterrupt, EOFError):
print("Stooping")
self.chat_history[-1] = (question, buffer.decode("utf-8").strip("\n"))
return buffer
def ask_bot_old(self, question, answer=""):
"""
run
"""
tend = 0
_ = self.prep_model() if not self.is_ready else None
tstart = time()
self.program.recvuntil(">")
self.chat_history.append((question, answer))
opts = self.prep_bot_input.split("\n")
for opt in opts:
self.program.sendline(opt)
data = None
try:
marker_detected = b""
char = self.program.recv(1)
tfirstchar = time()
wcount = len(question.replace("\n", " ").split(" "))
if self.DEBUG:
eprint(f"Size of Input: {len(question)} chars || {wcount} words")
eprint(f"Time taken to analyze the user input {(tfirstchar-tstart)} s")
data = char
yield char.decode("utf-8")
while True:
char = self.program.recv(1)
data += char
if char == b"[" or marker_detected:
marker_detected += char
if marker_detected in self.end_marker:
continue
marker_detected = b""
if self.end_marker in data:
data = data.replace(b"[end of text]", b"")
tend = time()
wcount = len(data.replace(b"\n", b" ").split(b" "))
if self.DEBUG:
eprint(f"Size of output: {len(data)} chars || {wcount} words")
eprint(f"Time taken to for generation {(tend-tstart)} s")
break
yield char.decode("utf-8")
except (KeyboardInterrupt, EOFError):
print("Stooping")
self.chat_history[-1] = (question, data.decode("utf-8").strip("\n"))
return data
@staticmethod
def repl(debug=False):
assistant = Assistant(DEBUG=debug)
assistant.prep_model()
while True:
_ = eprint(assistant.chat_history) if debug else None
resp = assistant.ask_bot(input(">>> "), "")
for char in resp:
print(char, end="")
print()
def health_checks():
FORMAT = "%(message)s"
logging.basicConfig(
level="NOTSET", format=FORMAT, datefmt="[%X]", handlers=[RichHandler()]
)
log = logging.getLogger("rich")
log.info("Running health checks ")
test_assistant = Assistant(auto_load=False)
# check if binary is available for system
log.info("Checking for dependencies")
if os.path.exists(Assistant.get_bin_path()):
log.info("Found binary")
else:
log.fatal("Binary Not Found")
log.info("Check https://github.com/ViperX7/alpaca.cpp")
log.info("put the compiled file in (./bin/main or ./bin/main.exe )")
exit()
log.info("checking if system is supported")
try:
prog = process(Assistant.get_bin_path())
log.info("Supported system")
except OSError:
log.fatal("Binary Not supported on this system")
log.info("Check https://github.com/ViperX7/alpaca.cpp")
log.info("put the compiled file in (./bin/main or ./bin/main.exe )")
exit()
log.info("Looking for the models to load")
if os.path.exists(os.path.expanduser(Assistant.model_path)):
log.info(f"Found Model {Assistant.model_path}")
sz = os.path.getsize(test_assistant.model_path) // (1024 * 1024)
log.info(f"size of your model is {sz} MB (approx)")
else:
log.fatal(
"model not found you need to download the models and set the model path in settings"
)
if os.path.exists("./pid"):
log.info("Other checks")
log.fatal("Already running another instance or dirty exit last time")
with open("./pid") as file:
pid = int(file.readline())
log.info("Attempting to kill the process")
os.kill(pid, signal.SIGTERM)
os.remove("./pid")
log.info("Fixed the Issue Now Retry running")
exit()
memstat = psutil.virtual_memory()
log.info("checking memory")
log.info(f"Total memory {memstat.total//(1024*1024)} MB")
log.info(f"Used memory {memstat.used//(1024*1024)} MB")
log.info(f"Free memory {memstat.free//(1024*1024)} MB")
exit()
log.level = 5
# health_checks()
def main():
import sys
debug = "-d" in sys.argv
Assistant.repl(debug)
assistant = main() if __name__ == "__main__" else None