Spaces:
Paused
Paused
File size: 7,614 Bytes
f995cde a9f310e f995cde 24c7e03 1aaec00 e2a67af 24c7e03 5d15c3d 24c7e03 5d15c3d 24c7e03 f995cde 24c7e03 1aaec00 f995cde e2a67af f995cde 1aaec00 24c7e03 e2a67af 24c7e03 1aaec00 24c7e03 e2a67af 24c7e03 1aaec00 f995cde e2a67af c3590b2 fa0a856 1aaec00 e2a67af 1aaec00 c3590b2 1aaec00 c3590b2 1aaec00 24c7e03 a16e1cf 1aaec00 24c7e03 f995cde e2a67af 3cd2dad f995cde 24c7e03 f995cde 24c7e03 f995cde 24c7e03 1aaec00 b96e11f f995cde b96e11f 24c7e03 b96e11f a16e1cf b96e11f 3cd2dad f995cde 3cd2dad |
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 |
import streamlit as st
from transformers import AutoTokenizer, AutoModelForCausalLM, BitsAndBytesConfig # Agregada esta importación
import torch
from huggingface_hub import login
import os
##################################################################
def setup_llama3_auth():
"""Configurar autenticación para Llama 3"""
if 'HUGGING_FACE_TOKEN_3' in st.secrets:
token = st.secrets['HUGGING_FACE_TOKEN_3']
login(token)
return True
else:
st.error("No se encontró el token de Llama 3 en los secrets")
st.stop()
return False
class Llama3Demo:
def __init__(self):
setup_llama3_auth()
self.model_name = "meta-llama/Llama-3.2-3B-Instruct"
self._model = None
self._tokenizer = None
# Configuración de cuantización
self.quantization_config = BitsAndBytesConfig(
load_in_8bit=True,
bnb_4bit_compute_dtype=torch.float16
)
@property
def model(self):
if self._model is None:
try:
self._model = AutoModelForCausalLM.from_pretrained(
self.model_name,
torch_dtype=torch.float16,
device_map="auto",
quantization_config=self.quantization_config, # Nueva forma de configurar cuantización
token=st.secrets['HUGGING_FACE_TOKEN_3'] # Actualizado de use_auth_token a token
)
except Exception as e:
st.error(f"Error cargando el modelo: {str(e)}")
raise e
return self._model
@property
def tokenizer(self):
if self._tokenizer is None:
try:
self._tokenizer = AutoTokenizer.from_pretrained(
self.model_name,
token=st.secrets['HUGGING_FACE_TOKEN_3'] # Actualizado de use_auth_token a token
)
except Exception as e:
st.error(f"Error cargando el tokenizer: {str(e)}")
raise e
return self._tokenizer
##################################################################
def generate_response(self, prompt: str, max_new_tokens: int = 512, temperature: float = 0.6,
top_p: float = 0.85, repetition_penalty: float = 1.2, top_k: int = 50) -> str:
formatted_prompt = f"""<|system|>You are a helpful AI assistant. Always provide accurate,
detailed, and well-reasoned responses. If you're unsure about something, acknowledge the uncertainty.
Break down complex topics into clear explanations.</s>
<|user|>{prompt}</s>
<|assistant|>"""
inputs = self.tokenizer(formatted_prompt, return_tensors="pt").to(self.model.device)
if self.tokenizer.pad_token_id is None:
self.tokenizer.pad_token_id = self.tokenizer.eos_token_id
with torch.no_grad():
outputs = self.model.generate(
**inputs,
max_new_tokens=max_new_tokens,
num_return_sequences=1,
temperature=temperature,
do_sample=True,
top_p=top_p,
top_k=top_k,
repetition_penalty=repetition_penalty,
pad_token_id=self.tokenizer.pad_token_id
)
torch.cuda.empty_cache()
response = self.tokenizer.decode(outputs[0], skip_special_tokens=True)
return response.split("<|assistant|>")[-1].strip()
##################################################################
def main():
st.set_page_config(page_title="Llama 3.2 Chat", page_icon="🦙")
st.title("🦙 Llama 3.2 Chat")
# Verificar configuración
with st.expander("🔧 Status", expanded=True):
try:
token_status = setup_llama3_auth()
st.write("Token Llama 3:", "✅" if token_status else "❌")
if torch.cuda.is_available():
st.write("GPU:", torch.cuda.get_device_name(0))
st.write("Memoria GPU:", f"{torch.cuda.get_device_properties(0).total_memory/1e9:.1f} GB")
else:
st.warning("GPU no disponible")
except Exception as e:
st.error(f"Error en configuración: {str(e)}")
# Sidebar con controles de generación
with st.sidebar:
st.markdown("### Parámetros de Generación")
generation_params = {
'temperature': st.slider(
"Temperatura (creatividad vs precisión)",
min_value=0.1,
max_value=1.0,
value=0.6,
step=0.1,
help="Valores más bajos = respuestas más precisas"
),
'max_new_tokens': st.slider(
"Longitud máxima",
min_value=64,
max_value=1024,
value=512,
step=64,
help="Longitud máxima de la respuesta"
),
'top_p': st.slider(
"Top-p (núcleo de probabilidad)",
min_value=0.1,
max_value=1.0,
value=0.85,
step=0.05
)
}
with st.expander("Parámetros Avanzados"):
generation_params.update({
'repetition_penalty': st.slider(
"Penalización por repetición",
min_value=1.0,
max_value=2.0,
value=1.2,
step=0.1
),
'top_k': st.slider(
"Top-k tokens",
min_value=1,
max_value=100,
value=50,
step=1
)
})
st.markdown("""
### Guía de Parámetros
- **Temperatura**: Menor = más preciso, Mayor = más creativo
- **Top-p**: Control sobre la variabilidad de respuestas
- **Longitud**: Ajustar según necesidad de detalle
""")
if st.button("Limpiar Chat"):
st.session_state.messages = []
st.experimental_rerun()
# Inicializar el modelo
if 'llama' not in st.session_state:
with st.spinner("Inicializando Llama 3.2... esto puede tomar unos minutos..."):
try:
st.session_state.llama = Llama3Demo()
except Exception as e:
st.error("Error inicializando el modelo")
st.stop()
# Gestión del historial de chat
if 'messages' not in st.session_state:
st.session_state.messages = []
# Mostrar historial
for message in st.session_state.messages:
with st.chat_message(message["role"]):
st.markdown(message["content"])
# Interface de chat
if prompt := st.chat_input("Escribe tu mensaje aquí"):
st.session_state.messages.append({"role": "user", "content": prompt})
with st.chat_message("user"):
st.markdown(prompt)
with st.chat_message("assistant"):
try:
response = st.session_state.llama.generate_response(prompt, **generation_params)
st.markdown(response)
st.session_state.messages.append({"role": "assistant", "content": response})
except Exception as e:
st.error(f"Error generando respuesta: {str(e)}")
if __name__ == "__main__":
main()
|