-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathUTIL.py
145 lines (104 loc) · 3.95 KB
/
UTIL.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
from __future__ import annotations
import logging
from dataclasses import dataclass
from typing import Dict, List
import openai
import re
import datetime
import shutil
from pathlib import Path
from typing import Any, Dict, Optional
logger = logging.getLogger(__name__)
openai.api_base = "http://localhost:1234/v1"
openai.api_key = ""
class Agent:
def __init__(self,model, temperature=0.1):
self.temperature = temperature
self.model = model
def start(self, system, user, step_name):
messages = [
{"role": "system", "content": system},
{"role": "user", "content": user},
]
return self.next(messages, step_name=step_name)
def parsemsg(self,choice,msg):#choice=["system","user","assistant"]
return {"role":choice,"content":msg}
def next(self, messages: List[Dict[str, str]], prompt=None, *, step_name=None):
if prompt:
messages += [{"role": "user", "content": prompt}]
logger.debug(f"Start a new chat: {messages}")
##########
response = openai.ChatCompletion.create(
messages=messages,
stream=True,
model=self.model,
temperature=self.temperature,
)
#########
chat = []
for chunk in response:
delta = chunk["choices"][0]["delta"] # type: ignore
msg = delta.get("content", "")
print(msg, end="")
chat.append(msg)
messages += [{"role": "assistant", "content": "".join(chat)}]
logger.debug(f"Chat finished: {messages}")
return messages
#####################################################################################
def parsechat(chat):
regex = r"(\S+)\n\s*```[^\n]*\n(.+?)```"
matches = re.finditer(regex, chat, re.DOTALL)
files = []
for match in matches:
path = re.sub(r'[<>"|?*]', "", match.group(1))
path = re.sub(r"^\[(.*)\]$", r"\1", path)
path = re.sub(r"^`(.*)`$", r"\1", path)
path = re.sub(r"\]$", "", path)
code = match.group(2)
files.append((path, code))
readme = chat.split("```")[0]
files.append(("README.md", readme))
return files
def tofiles(chat, workspace):
workspace["output.txt"] = chat
files = parsechat(chat)
for file_name, file_content in files:
workspace[file_name] = file_content
###################################################################################################
class database:
def __init__(self, path, in_memory_dict: Optional[Dict[Any, Any]] = None):
self.path = Path(path).absolute()
self.path.mkdir(parents=True, exist_ok=True)
self.in_memory_dict = in_memory_dict
def __contains__(self, key):
return (self.path / key).is_file()
def __getitem__(self, key):
if self.in_memory_dict is not None:
return self.in_memory_dict.__getitem__(str((self.path / key).absolute()))
full_path = self.path / key
if not full_path.is_file():
raise KeyError(f"File '{key}' not found at '{self.path}'")
with full_path.open("r", encoding="utf-8") as f:
return f.read()
def get(self, key, default=None):
try:
return self[key]
except KeyError:
return default
def __setitem__(self, key, val):
if self.in_memory_dict is not None:
return self.in_memory_dict.__setitem__(str((self.path / key).absolute()), val)
full_path = self.path / key
full_path.parent.mkdir(parents=True, exist_ok=True)
if isinstance(val, str):
full_path.write_text(val, encoding="utf-8")
else:
raise TypeError("val must be either a str or bytes")
@dataclass
class DBs:
memory: database
logs: database
preprompts: database
input: database
workspace: database
#####################################################################################################################