Spaces:
Runtime error
Runtime error
File size: 8,604 Bytes
6fbf863 e683023 6fbf863 e683023 |
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 |
import os
import logging
import gradio as gr
from langchain import LLMChain, PromptTemplate
from langchain.memory import ConversationBufferMemory
from langchain_google_genai import ChatGoogleGenerativeAI
# Setup logging
logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')
logger = logging.getLogger(__name__)
def load_api_key():
"""Load API key from Hugging Face Spaces secrets"""
# In Hugging Face Spaces, use secrets instead of .env files
api_key = os.getenv("GOOGLE_API_KEY")
if not api_key:
raise ValueError("""
GOOGLE_API_KEY not found in environment variables.
To fix this in Hugging Face Spaces:
1. Go to your Space settings
2. Click on 'Repository secrets'
3. Add GOOGLE_API_KEY with your Google API key value
4. Restart the Space
""")
return api_key
def initialize_llm():
"""Initialize the LLM with proper error handling"""
try:
api_key = load_api_key()
os.environ["GOOGLE_API_KEY"] = api_key
llm = ChatGoogleGenerativeAI(
model="gemini-2.5-flash",
temperature=0,
max_tokens=2048
)
# Test the connection
response = llm.invoke("Test connection - respond with 'OK'")
logger.info("β
API connection successful!")
logger.info(f"Response: {response.content}")
return llm
except Exception as e:
logger.error(f"β API Error: {e}")
# Return a mock LLM for demo purposes if API fails
return None
# Enhanced prompt template
template = """You are an expert code reviewer and security analyst specializing in vulnerability detection and secure coding practices.
For any code provided, analyze it systematically:
**π Code Overview**:
- Briefly explain what the code does and its purpose
**π Security Analysis**:
- Identify security vulnerabilities with risk levels:
- π΄ **High Risk**: Critical vulnerabilities that could lead to system compromise
- π‘ **Medium Risk**: Moderate security concerns that should be addressed
- π’ **Low Risk**: Minor security improvements
- Explain potential exploitation methods
**β‘ Code Quality Review**:
- Performance issues and bottlenecks
- Code readability and maintainability
- Best practice violations
- Logic errors or inefficiencies
**π οΈ Actionable Recommendations**:
- Provide specific, implementable fixes
- Include secure code examples where applicable
- Suggest architectural improvements
For non-code queries, provide relevant security guidance and best practices.
**Conversation History:**
{chat_history}
**User Input:** {user_message}
**Analysis:**"""
def create_llm_chain():
"""Create the LLM chain with memory"""
try:
llm = initialize_llm()
if llm is None:
return None
prompt = PromptTemplate(
input_variables=["chat_history", "user_message"],
template=template
)
memory = ConversationBufferMemory(
memory_key="chat_history",
return_messages=True
)
return LLMChain(
llm=llm,
prompt=prompt,
memory=memory
)
except Exception as e:
logger.error(f"Failed to create LLM chain: {e}")
return None
def get_text_response(user_message, history):
"""Generate response with proper error handling"""
try:
# Check if LLM chain is available
if llm_chain is None:
return """
π« **API Configuration Error**
The Google Gemini API is not properly configured. To use this Space:
1. **Fork this Space** to your own Hugging Face account
2. Go to **Settings** β **Repository secrets**
3. Add `GOOGLE_API_KEY` with your Google AI Studio API key
4. Get your API key from: https://makersuite.google.com/app/apikey
5. **Restart the Space**
This is a demo of a code security analyzer that would normally use Google's Gemini AI.
"""
# Validate input
if not user_message or not user_message.strip():
return "β οΈ Please provide code to analyze or ask a security-related question."
# Check for potentially sensitive information
sensitive_keywords = ['password', 'api_key', 'secret', 'token']
if any(keyword in user_message.lower() for keyword in sensitive_keywords):
logger.warning("User input contains potentially sensitive information")
response = llm_chain.predict(user_message=user_message.strip())
return response
except Exception as e:
logger.error(f"Error generating response: {e}")
return f"""
π« **Error Analysis**
I encountered an error while analyzing your request: {str(e)}
**Possible solutions:**
1. Check if your Google API key is valid
2. Ensure you have credits remaining in your Google AI account
3. Try again with a shorter input
4. Contact the Space owner if the issue persists
"""
def create_interface():
"""Create the Gradio interface optimized for Hugging Face"""
examples = [
"Review this SQL query for injection vulnerabilities: SELECT * FROM users WHERE id = '" + "user_input" + "'",
"Analyze this Python authentication function:\n```python\ndef login(username, password):\n if username == 'admin' and password == 'password123':\n return True\n return False\n```",
"What are the OWASP Top 10 web application security risks?",
"How can I securely store passwords in my application?",
"Check this JavaScript for XSS vulnerabilities: document.innerHTML = userInput"
]
# Custom CSS for better appearance on HF
custom_css = """
.gradio-container {
max-width: 1200px !important;
}
.message-row {
justify-content: space-between !important;
}
footer {
visibility: hidden;
}
"""
interface = gr.ChatInterface(
get_text_response,
examples=examples,
title="π Code Security Analyzer & Vulnerability Scanner",
description="""
**Professional code security analysis powered by Google Gemini AI**
β
**Features:**
- π Vulnerability detection with risk assessment
- π Code quality review and best practices analysis
- π‘οΈ Secure coding recommendations
- π Multi-language support (Python, JavaScript, Java, C++, etc.)
- π OWASP compliance guidance
β οΈ **Security Notice:** Do not submit production secrets, passwords, or sensitive data.
---
**π To use this Space:**
1. Fork this Space to your account
2. Add your Google AI Studio API key in Settings β Repository secrets
3. Set the secret name as `GOOGLE_API_KEY`
4. Get your API key: https://makersuite.google.com/app/apikey
""",
type='messages',
theme=gr.themes.Soft(
primary_hue="blue",
secondary_hue="gray",
font=gr.themes.GoogleFont("Inter")
),
css=custom_css,
analytics_enabled=False, # Disable analytics for HF Spaces
cache_examples=False # Disable caching for better performance
)
return interface
# Initialize the LLM chain
llm_chain = None
try:
llm_chain = create_llm_chain()
if llm_chain:
logger.info("π Code Security Analyzer initialized successfully!")
else:
logger.warning("β οΈ Running in demo mode - API not configured")
except Exception as e:
logger.error(f"Failed to initialize application: {e}")
# Create and launch the interface
if __name__ == "__main__":
try:
demo = create_interface()
demo.launch(
show_error=True,
share=False, # Set to False for HF Spaces
enable_queue=True, # Enable queue for better performance
max_threads=10 # Limit concurrent users
)
except Exception as e:
logger.error(f"Failed to launch application: {e}")
# Still try to launch a basic interface
def error_interface(message, history):
return f"Application failed to initialize: {str(e)}"
gr.ChatInterface().launch() |