import gradio as gr from transformers import AutoModelForCausalLM, AutoTokenizer, BitsAndBytesConfig import torch import os import spaces import torch print(f"Is CUDA available: {torch.cuda.is_available()}") print(f"CUDA device: {torch.cuda.get_device_name(torch.cuda.current_device())}") # Cargar el token de Hugging Face desde los secretos token = os.environ.get("HF_TOKEN") model_id = "google/shieldgemma-2b" # use quantization to lower GPU usage bnb_config = BitsAndBytesConfig( load_in_4bit=True, bnb_4bit_use_double_quant=True, bnb_4bit_quant_type="nf4", bnb_4bit_compute_dtype=torch.bfloat16 ) tokenizer = AutoTokenizer.from_pretrained(model_id,token=token) model = AutoModelForCausalLM.from_pretrained( model_id, torch_dtype=torch.bfloat16, device_map="auto", quantization_config=bnb_config, token=token ) # Función para generar el prompt dependiendo del idioma seleccionado def generar_prompt(message, tipo_clasificacion, idioma): if idioma == "Español": politicas = { "Contenido Peligroso": """ * "No al contenido peligroso": El mensaje no debe contener ni buscar la generación de contenido que cause daño a uno mismo o a otros (por ejemplo, acceder o fabricar armas de fuego o explosivos, promoción del terrorismo, instrucciones para el suicidio). """, "Acoso": """ * "No al acoso": El mensaje no debe contener ni buscar la generación de contenido que sea malicioso, intimidante, que fomente el bullying o abusivo dirigido a otra persona (por ejemplo, amenazas físicas, negación de eventos trágicos, menosprecio a víctimas de violencia). """, "Discurso de Odio": """ * "No al discurso de odio": El mensaje no debe contener ni buscar la generación de contenido que ataque la identidad o atributos protegidos (por ejemplo, insultos raciales, promoción de la discriminación, llamados a la violencia contra grupos protegidos) o que deshumanice, menosprecie o vilipendie por motivos de raza, etnia, religión, discapacidad, edad, nacionalidad, estatus de veterano, orientación sexual, género, identidad de género, casta, u otro estatus protegido. """, "Contenido Sexual": """ * "No al contenido sexual explícito": El mensaje no debe contener ni buscar la generación de contenido que haga referencia a actos sexuales u otro contenido lascivo (por ejemplo, descripciones gráficas sexuales, contenido destinado a causar excitación). Los términos médicos o científicos relacionados con la anatomía humana o la educación sexual están permitidos. """ } else: # English politicas = { "Dangerous Content": """ * "No Dangerous Content": The prompt shall not contain or seek generation of content that harms oneself and/or others (e.g., accessing or building firearms and explosive devices, promotion of terrorism, instructions for suicide). """, "Harassment": """ * "No Harassment": The prompt shall not contain or seek generation of content that is malicious, intimidating, bullying, or abusive content targeting another individual (e.g., physical threats, denial of tragic events, disparaging victims of violence). """, "Hate Speech": """ * "No Hate Speech": The prompt shall not contain or seek generation of content that targets identity and/or protected attributes (e.g., racial slurs, promotion of discrimination, calls to violence against protected groups) or dehumanizing/belittling/vilifying based on race, ethnicity, religion, disability, age, nationality, veteran status, sexual orientation, gender, gender identity, caste, or any other protected status. """, "Sexually Explicit Information": """ * "No Sexually Explicit Information": The prompt shall not contain or seek generation of content that contains references to sexual acts or other lewd content (e.g., sexually graphic descriptions, content aimed at causing arousal). Medical or scientific terms related to human anatomy or sex education are permitted. """ } # Formatear el prompt según el tipo de clasificación seleccionado politica_seguridad = politicas.get(tipo_clasificacion, "") if idioma == "Español": prompt = f"""Eres un experto en políticas tratando de determinar si un mensaje del usuario viola las políticas de seguridad definidas. Pregunta del usuario: {message.strip()} Nuestro principio de seguridad se define a continuación: {politica_seguridad.strip()} ¿La pregunta del usuario viola el principio anterior? Tu respuesta debe comenzar con 'Sí' o 'No'. Luego, explica paso a paso para asegurarte de que respondemos correctamente. """ else: # Default to English prompt = f"""You are a policy expert trying to help determine whether a user prompt is in violation of the defined safety policies. Human Question: {message.strip()} Our safety principle is defined below: {politica_seguridad.strip()} Does the human question violate the above principle? Your answer must start with 'Yes' or 'No'. Then walk through step by step to be sure we answer correctly. """ return prompt # Función para procesar la respuesta y clasificar según las políticas de seguridad def respond(message, history: list[tuple[str, str]], system_message, max_tokens, temperature, top_p, language, harm_type): prompt = generar_prompt(message, harm_type, language) inputs = tokenizer(prompt, return_tensors="pt").to("cpu") # Forzar a CPU with torch.no_grad(): logits = model(**inputs).logits # Extraer los logits para los tokens 'Yes'/'No' en inglés o 'Sí'/'No' en español vocab = tokenizer.get_vocab() if language == "Español": selected_logits = logits[0, -1, [vocab['Sí'], vocab['No']]] else: selected_logits = logits[0, -1, [vocab['Yes'], vocab['No']]] # Convertir los logits en una probabilidad con softmax probabilities = torch.softmax(selected_logits, dim=0) # Devolver la probabilidad de 'Sí'/'Yes' y la respuesta generada score_yes = probabilities[0].item() if language == "Español": response = f"Puntuación para 'Sí' (violación): {score_yes:.4f}" else: response = f"Score for 'Yes' (violation): {score_yes:.4f}" return response # Crear la interfaz de Gradio con selección de idioma y tipo de contenido demo = gr.ChatInterface( respond, additional_inputs=[ gr.Textbox(value="You are a friendly Chatbot.", label="System message"), gr.Slider(minimum=1, maximum=2048, value=512, step=1, label="Max new tokens"), gr.Slider(minimum=0.1, maximum=4.0, value=0.7, step=0.1, label="Temperature"), gr.Slider(minimum=0.1, maximum=1.0, value=0.95, step=0.05, label="Top-p (nucleus sampling)"), gr.Dropdown(choices=["English", "Español"], value="English", label="Idioma/Language"), gr.Dropdown(choices=["Dangerous Content", "Harassment", "Hate Speech", "Sexually Explicit Information"], value="Harassment", label="Harm Type") ], ) demo.launch(debug=True)