Spaces:
Running
Running
File size: 10,098 Bytes
7f35293 148a917 4a20d19 148a917 4a20d19 148a917 4a20d19 148a917 4a20d19 148a917 4a20d19 148a917 4a20d19 148a917 7bc0b90 4a20d19 7bc0b90 4a20d19 7bc0b90 148a917 4a20d19 7bc0b90 4a20d19 148a917 4a20d19 de2f578 4a20d19 7bc0b90 4a20d19 de2f578 7bc0b90 4a20d19 148a917 4a20d19 7bc0b90 4a20d19 7bc0b90 4a20d19 148a917 4a20d19 148a917 4a20d19 148a917 4a20d19 7f35293 7770bcc 7f35293 4a20d19 7f35293 0c0c279 7f35293 daa80d3 7f35293 148a917 4a20d19 b5ca3aa d1a0803 b5ca3aa 4a20d19 148a917 7f35293 3618e59 7f35293 979f76c 7f35293 148a917 daa80d3 148a917 b8db388 7f35293 7770bcc 7f35293 ebb2635 4a20d19 11f2ef0 4a20d19 7f35293 4a20d19 148a917 c79633e 721a13f |
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 |
from typing import List
import gradio as gr
import base64
from src.manager.manager import GeminiManager, Mode
from enum import Enum
import os
import base64
from dotenv import load_dotenv
from fastapi import FastAPI, Request, Depends
from fastapi.responses import RedirectResponse, JSONResponse, FileResponse
from fastapi.staticfiles import StaticFiles
from starlette.middleware.sessions import SessionMiddleware
from authlib.integrations.starlette_client import OAuth
import requests
from src.manager.manager import GeminiManager
import argparse
# 1. Load environment --------------------------------------------------
load_dotenv()
AUTH0_DOMAIN = os.getenv("AUTH0_DOMAIN")
AUTH0_CLIENT_ID = os.getenv("AUTH0_CLIENT_ID")
AUTH0_CLIENT_SECRET = os.getenv("AUTH0_CLIENT_SECRET")
AUTH0_AUDIENCE = os.getenv("AUTH0_AUDIENCE")
SESSION_SECRET_KEY = os.getenv("SESSION_SECRET_KEY", "replace-me")
# 2. Auth0 client ------------------------------------------------------
oauth = OAuth()
oauth.register(
"auth0",
client_id=AUTH0_CLIENT_ID,
client_secret=AUTH0_CLIENT_SECRET,
client_kwargs={"scope": "openid profile email"},
server_metadata_url=f"https://{AUTH0_DOMAIN}/.well-known/openid-configuration",
)
# 3. FastAPI app -------------------------------------------------------
app = FastAPI()
# Create static directory if it doesn't exist
os.makedirs("static/fonts/ui-sans-serif", exist_ok=True)
os.makedirs("static/fonts/system-ui", exist_ok=True)
# Mount static files directory
app.mount("/static", StaticFiles(directory="static"), name="static")
# Add session middleware (no auth requirement)
app.add_middleware(
SessionMiddleware,
secret_key=SESSION_SECRET_KEY,
session_cookie="session",
max_age=86400,
same_site="lax",
)
# 4. Auth routes -------------------------------------------------------
# Dependency to get the current user
def get_user(request: Request):
user = request.session.get('user')
if user:
return user['name']
return None
@app.get('/')
def public(request: Request, user=Depends(get_user)):
root_url = gr.route_utils.get_root_url(request, "/", None)
if user:
return RedirectResponse(url=f'{root_url}/hashiru/')
else:
return RedirectResponse(url=f'{root_url}/login-page')
@app.get("/login")
async def login(request: Request):
print("Session cookie:", request.cookies.get("session"))
print("Session data:", dict(request.session))
root_url = gr.route_utils.get_root_url(request, "/login", None)
redirect_uri = f"{root_url}/auth"
return await oauth.auth0.authorize_redirect(request, redirect_uri, audience=AUTH0_AUDIENCE, prompt="login")
@app.get("/auth")
async def auth(request: Request):
try:
token = await oauth.auth0.authorize_access_token(request)
print("Token received:", token)
request.session["user"] = token["userinfo"]
return RedirectResponse("/hashiru")
except Exception as e:
print("Error during authentication:", str(e))
return RedirectResponse("/")
@app.get("/logout")
async def logout(request: Request):
root_url = gr.route_utils.get_root_url(request, "/logout", None)
redirect_uri = f"{root_url}/post-logout"
auth0_logout_url = (
f"https://{AUTH0_DOMAIN}/v2/logout"
f"?client_id={AUTH0_CLIENT_ID}"
f"&returnTo={redirect_uri}"
)
return RedirectResponse(auth0_logout_url)
@app.get("/post-logout")
async def post_logout(request: Request):
request.session.clear()
return RedirectResponse("/")
@app.get("/manifest.json")
async def manifest():
return JSONResponse({
"name": "HASHIRU AI",
"short_name": "HASHIRU",
"icons": [],
"start_url": "/",
"display": "standalone"
})
@app.get("/api/login-status")
async def api_login_status(request: Request):
if "user" in request.session:
user_info = request.session["user"]
user_name = user_info.get("name", user_info.get("email", "User"))
return {"status": f"Logged in: {user_name}"}
else:
return {"status": "Logged out"}
_header_html = f"""
<div style="
display: flex;
flex-direction: row;
align-items: center;
justify-content: flex-start;
">
<img src="https://media.githubusercontent.com/media/HASHIRU-AI/HASHIRU/refs/heads/main/HASHIRU_LOGO.png" width="40" class="logo"/>
<h1>
HASHIRU AI
</h1>
</div>
"""
css = """
.logo {
margin-right: 20px;
}
"""
def run_model(message, history):
if 'text' in message:
if message['text'].strip() != "":
history.append({
"role": "user",
"content": message['text']
})
if 'files' in message:
for file in message['files']:
history.append({
"role": "user",
"content": (file,)
})
yield "", history
for messages in model_manager.run(history):
if messages[-1]["role"] == "assistant":
yield messages[-1], messages
with gr.Blocks() as login:
with gr.Column():
gr.HTML("<h1 style='font-size: 3em; text-align: center;'>Welcome to Hashiru AI</h1>")
with gr.Column():
gr.Markdown("## About Us")
gr.Markdown("Hashiru AI is a startup developing an \"Expert Orchestrator AI\" envisioned as a dynamically adapting, budget-aware, and deeply personalized personal assistant designed to evolve with user needs and financial constraints. It addresses the inflexibility, limited capabilities, and potential costliness of current personal assistants by offering a solution that handles novel requests and complex tasks efficiently. A key strength of Hashiru AI is its commitment to personalization; the system continuously learns from user interactions, storing preferences and learning patterns to adapt its behavior and provide a truly tailored experience. Hashiru AI's product utilizes a dynamic multi-agent system where a \"CEO Agent\" manages specialized agents that are created for specific tasks and retired to optimize resources and costs. The system emphasizes cost-consciousness by prioritizing resource-efficient models, tracking expenses, and leveraging local models for a significant portion of complex tasks. Furthermore, it can autonomously create and integrate new API tools, delivering highly customized tools tailored to individual workflows and dynamically expanding its capabilities without manual intervention. The core value proposition of Hashiru AI lies in its profound adaptability, intelligence, and ability to deliver cost savings, all while maintaining a strong focus on user personalization, targeting power users such as professionals, researchers, and creatives who require more sophisticated and individually attuned AI assistance.")
with gr.Column():
gr.HTML("<img src='https://media.githubusercontent.com/media/HASHIRU-AI/HASHIRU/refs/heads/main/HASHIRU_LOGO.png' alt='Company Image' style='width:200px; height:auto; display:block; margin-left: auto; margin-right: auto;'>") # Replace with your image URL
gr.HTML("<b><p style=\"text-align:center;\">NOTE: If you're an AgentX Judge, please refer to the Pitch Deck for login credentials.</p></b>")
with gr.Row():
gr.Markdown("")
gr.HTML("<a href='/login' style='display: block; margin: 20px auto; padding: 10px 20px; background-color: #7e7932; color: white; text-align: center; text-decoration: none; border-radius: 5px;'>Login</a>")
gr.Markdown("")
app = gr.mount_gradio_app(app, login, path="/login-page")
parser = argparse.ArgumentParser()
parser.add_argument('--no-auth', action='store_true')
args, unknown = parser.parse_known_args()
no_auth = args.no_auth
with gr.Blocks(title="HASHIRU AI", css=css, fill_width=True, fill_height=True) as demo:
model_manager = GeminiManager(
gemini_model="gemini-2.0-flash", modes=[mode for mode in Mode])
def update_model(modeIndexes: List[int]):
modes = [Mode(i+1) for i in modeIndexes]
print(f"Selected modes: {modes}")
model_manager.set_modes(modes)
with gr.Column(scale=1):
with gr.Row(scale=0):
with gr.Column(scale=0):
gr.Markdown(_header_html)
gr.Button("Logout", link="/logout")
with gr.Column(scale=1):
with gr.Accordion("Model Settings", open=False):
model_dropdown = gr.Dropdown(
choices=[mode.name for mode in Mode],
value=model_manager.get_current_modes,
interactive=True,
type="index",
multiselect=True,
label="Select Modes",
)
model_dropdown.change(
fn=update_model, inputs=model_dropdown, outputs=[])
with gr.Row(scale=1):
chatbot = gr.Chatbot(
avatar_images=("https://media.githubusercontent.com/media/HASHIRU-AI/HASHIRU/refs/heads/main/HASHIRU_2.png",
"https://media.githubusercontent.com/media/HASHIRU-AI/HASHIRU/refs/heads/main/HASHIRU.png"),
type="messages",
show_copy_button=True,
editable="user",
scale=1,
render_markdown=True,
placeholder="Type your message here...",
)
gr.ChatInterface(fn=run_model,
type="messages",
chatbot=chatbot,
additional_outputs=[chatbot],
save_history=True,
editable=True,
multimodal=True,
show_progress="full")
app = gr.mount_gradio_app(app, demo, path="/hashiru", auth_dependency=get_user, ssr_mode=False,)
if __name__ == "__main__":
import uvicorn
if no_auth:
demo.launch(favicon_path="favicon.ico")
else:
uvicorn.run(app) |