-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmallo_enhancer.py
282 lines (247 loc) · 11.8 KB
/
mallo_enhancer.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
import openai
import numpy as np
from typing import List, Dict, Any
import yaml
from sentence_transformers import SentenceTransformer, util
import requests
import logging
from openai import OpenAI
from anthropic import Anthropic
from mistralai import Mistral
import cohere
import streamlit as st
class MALLOEnhancer:
def __init__(self, student_model, config_path: str, max_iterations: int = 3):
self.student_model = student_model
self.config = self.load_config(config_path)
self.professor_models = self.get_professor_models()
self.max_iterations = max_iterations
self.sentence_model = SentenceTransformer('all-MiniLM-L6-v2')
self.clients = self.initialize_clients()
def load_config(self, config_path: str) -> Dict:
with open(config_path, 'r') as file:
return yaml.safe_load(file)
def get_professor_models(self) -> List[str]:
models = []
for api in ['openai', 'anthropic', 'together', 'cohere', 'groq', 'deepinfra', 'deepseek', 'mistral', 'openrouter']:
if api in self.config and 'models' in self.config[api]:
models.extend(self.config[api]['models'])
return models
def initialize_clients(self):
return {
'openai': OpenAI(api_key=st.secrets.get("OPENAI_API_KEY")),
'anthropic': Anthropic(api_key=st.secrets.get("ANTHROPIC_API_KEY")),
'mistral': Mistral(api_key=st.secrets.get("MISTRAL_API_KEY")),
'cohere': cohere.Client(api_key=st.secrets.get("COHERE_API_KEY")),
'groq': OpenAI(api_key=st.secrets.get("GROQ_API_KEY"), base_url="https://api.groq.com/openai/v1"),
'deepinfra': OpenAI(api_key=st.secrets.get("DEEPINFRA_API_KEY"), base_url="https://api.deepinfra.com/v1/openai"),
'deepseek': OpenAI(api_key=st.secrets.get("DEEPSEEK_API_KEY"), base_url="https://api.deepseek.com/v1"),
}
def iterative_reflection(self, instruction: str, response: str) -> Dict[str, str]:
mejor_instruccion = instruction
mejor_respuesta = response
mejor_puntuacion = self.evaluate_pair(instruction, response)
for _ in range(self.max_iterations):
candidatos = []
for profesor in self.professor_models:
nueva_instruccion = self.reflect_on_instruction(profesor, mejor_instruccion, mejor_respuesta)
nueva_respuesta = self.reflect_on_response(profesor, nueva_instruccion, mejor_respuesta)
candidatos.append((nueva_instruccion, nueva_respuesta))
for candidato_instruccion, candidato_respuesta in candidatos:
puntuacion = self.evaluate_pair(candidato_instruccion, candidato_respuesta)
if puntuacion > mejor_puntuacion:
mejor_instruccion = candidato_instruccion
mejor_respuesta = candidato_respuesta
mejor_puntuacion = puntuacion
return {"instruction": mejor_instruccion, "response": mejor_respuesta}
def reflect_on_instruction(self, profesor: str, instruccion: str, respuesta: str) -> str:
prompt = f"""
Analiza y mejora el siguiente par instrucción-respuesta:
Instrucción: {instruccion}
Respuesta: {respuesta}
Por favor, proporciona una versión mejorada de la instrucción que sea más clara, específica y desafiante.
La nueva instrucción debe ser independiente y no requerir conocimiento de la instrucción original.
Instrucción Mejorada:
"""
return self.get_model_response(profesor, prompt)
def reflect_on_response(self, profesor: str, instruccion: str, respuesta: str) -> str:
prompt = f"""
Dada la siguiente instrucción y su respuesta actual, proporciona una respuesta mejorada:
Instrucción: {instruccion}
Respuesta Actual: {respuesta}
Por favor, genera una respuesta más completa, precisa y detallada para la instrucción.
Respuesta Mejorada:
"""
return self.get_model_response(profesor, prompt)
def get_model_response(self, model: str, prompt: str) -> str:
if 'gpt' in model:
return self.get_openai_response(model, prompt)
elif 'claude' in model:
return self.get_anthropic_response(model, prompt)
elif model in self.config['together']['models']:
return self.get_together_response(model, prompt)
elif model in self.config['cohere']['models']:
return self.get_cohere_response(model, prompt)
elif model in self.config['groq']['models']:
return self.get_groq_response(model, prompt)
elif model in self.config['deepinfra']['models']:
return self.get_deepinfra_response(model, prompt)
elif model in self.config['deepseek']['models']:
return self.get_deepseek_response(model, prompt)
elif model in self.config['mistral']['models']:
return self.get_mistral_response(model, prompt)
elif model in self.config['openrouter']['models']:
return self.get_openrouter_response(model, prompt)
else:
raise ValueError(f"Modelo no soportado: {model}")
def get_openai_response(self, model: str, prompt: str) -> str:
try:
response = self.clients['openai'].chat.completions.create(
model=model,
messages=[{"role": "user", "content": prompt}],
max_tokens=500,
n=1,
stop=None,
temperature=0.7,
)
return response.choices[0].message.content.strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de OpenAI: {str(e)}")
return ""
def get_anthropic_response(self, model: str, prompt: str) -> str:
try:
response = self.clients['anthropic'].messages.create(
model=model,
max_tokens=500,
messages=[{"role": "user", "content": prompt}]
)
return response.content[0].text
except Exception as e:
logging.error(f"Error al obtener respuesta de Anthropic: {str(e)}")
return ""
def get_together_response(self, model: str, prompt: str) -> str:
try:
response = requests.post(
"https://api.together.xyz/inference",
headers={
"Authorization": f"Bearer {self.config['together']['api_key']}",
"Content-Type": "application/json"
},
json={
"model": model,
"prompt": prompt,
"max_tokens": 500,
"temperature": 0.7,
}
)
response.raise_for_status()
return response.json()['output']['choices'][0]['text'].strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de Together AI: {str(e)}")
return ""
def get_cohere_response(self, model: str, prompt: str) -> str:
try:
response = self.clients['cohere'].generate(
model=model,
prompt=prompt,
max_tokens=500,
temperature=0.7,
)
return response.generations[0].text.strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de Cohere: {str(e)}")
return ""
def get_groq_response(self, model: str, prompt: str) -> str:
try:
response = self.clients['groq'].chat.completions.create(
model=model,
messages=[{"role": "user", "content": prompt}],
max_tokens=500,
temperature=0.7,
)
return response.choices[0].message.content.strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de Groq: {str(e)}")
return ""
def get_deepinfra_response(self, model: str, prompt: str) -> str:
try:
response = self.clients['deepinfra'].chat.completions.create(
model=model,
messages=[{"role": "user", "content": prompt}],
max_tokens=500,
temperature=0.7,
)
return response.choices[0].message.content.strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de DeepInfra: {str(e)}")
return ""
def get_deepseek_response(self, model: str, prompt: str) -> str:
try:
response = self.clients['deepseek'].chat.completions.create(
model=model,
messages=[{"role": "user", "content": prompt}],
max_tokens=500,
temperature=0.7,
)
return response.choices[0].message.content.strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de DeepSeek: {str(e)}")
return ""
def get_mistral_response(self, model: str, prompt: str) -> str:
try:
response = self.clients['mistral'].chat.completions.create(
model=model,
messages=[{"role": "user", "content": prompt}],
max_tokens=500,
temperature=0.7,
)
return response.choices[0].message.content.strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de Mistral: {str(e)}")
return ""
def get_openrouter_response(self, model: str, prompt: str) -> str:
try:
response = requests.post(
"https://openrouter.ai/api/v1/chat/completions",
headers={
"Authorization": f"Bearer {self.config['openrouter']['api_key']}",
"HTTP-Referer": "https://marduk.pro",
"X-Title": "MALLO",
"Content-Type": "application/json"
},
json={
"model": model,
"messages": [{"role": "user", "content": prompt}],
"max_tokens": 500,
"temperature": 0.7,
}
)
response.raise_for_status()
return response.json()['choices'][0]['message']['content'].strip()
except Exception as e:
logging.error(f"Error al obtener respuesta de OpenRouter: {str(e)}")
return ""
def evaluate_pair(self, instruction: str, response: str) -> float:
ifd_score = self.calculate_ifd(instruction, response)
r_ifd_score = self.calculate_r_ifd(instruction, response)
coherence_score = self.calculate_coherence(instruction, response)
return np.mean([ifd_score, 1 / r_ifd_score, coherence_score])
def calculate_ifd(self, instruction: str, response: str) -> float:
# Implementar cálculo de IFD usando student_model
# Esta es una implementación de marcador de posición
return np.random.random()
def calculate_r_ifd(self, instruction: str, response: str) -> float:
# Implementar cálculo de r-IFD usando student_model
# Esta es una implementación de marcador de posición
return np.random.random()
def calculate_coherence(self, instruction: str, response: str) -> float:
instruction_embedding = self.sentence_model.encode(instruction, convert_to_tensor=True)
response_embedding = self.sentence_model.encode(response, convert_to_tensor=True)
return float(util.pytorch_cos_sim(instruction_embedding, response_embedding)[0][0])
def adapt_criteria(performance_history: List[float]) -> Dict[str, Any]:
# Ajustar criterios basados en el rendimiento reciente del modelo
# Esta es una implementación de marcador de posición
return {
"umbral_complejidad": np.mean(performance_history),
"umbral_coherencia": np.median(performance_history),
}