File size: 13,777 Bytes
5a35763
 
 
 
 
 
c38a627
5a35763
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
47682ce
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
# app.py

import os
import re
import json
import requests
import gradio as gr
from google.oauth2.credentials import Credentials
from googleapiclient.discovery import build
from agentpro import create_model, ReactAgent
from agentpro.tools import AresInternetTool

# ──────────────────────────────────────────────────────────────────────────────
# 1) READ ENVIRONMENT VARIABLES (set in HF Space Secrets)
# ──────────────────────────────────────────────────────────────────────────────
OPENAI_API_KEY      = os.getenv("OPENAI_API_KEY")
GOOGLE_CLIENT_ID    = os.getenv("GOOGLE_CLIENT_ID")
GOOGLE_CLIENT_SECRET= os.getenv("GOOGLE_CLIENT_SECRET")
ARES_API_KEY        = os.getenv("ARES_API_KEY")  # if you are using AresInternetTool

# Your HF Space URL (must match what you registered as redirect URI in Google Cloud Console)
HF_SPACE_URL = "https://huggingface.co/spaces/case-llm-traversaal/calendar-chatbot"

# ──────────────────────────────────────────────────────────────────────────────
# 2) GLOBAL IN-MEMORY STORAGE FOR TOKENS (basic demo)
# ──────────────────────────────────────────────────────────────────────────────
# In a production Β­grade multiuser app, key by user ID or IP. Here, we keep one β€œdefault” slot.
user_tokens = {
    "default": None  # Will hold a dict { "access_token": ..., "refresh_token": ..., "expiry": ... }
}

# ──────────────────────────────────────────────────────────────────────────────
# 3) HELPERS: Build Google Auth URL / Extract & Exchange Code / Build Service
# ──────────────────────────────────────────────────────────────────────────────

def build_auth_url():
    """
    Construct the Google OAuth2 authorization URL. When the user clicks 'Connect', 
    we open this in a new tab. Google will redirect to HF_SPACE_URL?code=XXXX.
    """
    base = "https://accounts.google.com/o/oauth2/v2/auth"
    scope = "https://www.googleapis.com/auth/calendar.readonly https://www.googleapis.com/auth/calendar.events"
    params = {
        "client_id": GOOGLE_CLIENT_ID,
        "redirect_uri": HF_SPACE_URL,
        "response_type": "code",
        "scope": scope,
        "access_type": "offline",    # get a refresh token
        "prompt": "consent"          # always ask consent to receive a refresh token
    }
    # Build query string manually
    q = "&".join([f"{k}={requests.utils.quote(v)}" for k, v in params.items()])
    return f"{base}?{q}"

def extract_auth_code(full_redirect_url: str) -> str:
    """
    The user pastes the entire redirect URL (which contains '?code=XYZ&scope=...' etc.).
    We pull out the 'XYZ' (authorization code) to exchange for tokens.
    """
    match = re.search(r"[?&]code=([^&]+)", full_redirect_url)
    if match:
        return match.group(1)
    return None

def exchange_code_for_tokens(auth_code: str):
    """
    Given the single‐use auth_code from Google, exchange it at Google's token endpoint
    for access_token + refresh_token + expiry. Then store it in user_tokens["default"].
    """
    token_url = "https://oauth2.googleapis.com/token"
    data = {
        "code": auth_code,
        "client_id": GOOGLE_CLIENT_ID,
        "client_secret": GOOGLE_CLIENT_SECRET,
        "redirect_uri": HF_SPACE_URL,
        "grant_type": "authorization_code",
    }
    resp = requests.post(token_url, data=data)
    if resp.status_code != 200:
        return None, resp.text

    token_data = resp.json()
    # Example token_data: { "access_token": "...", "expires_in": 3599, "refresh_token": "...", "scope": "...", "token_type": "Bearer" }
    user_tokens["default"] = {
        "access_token":  token_data.get("access_token"),
        "refresh_token": token_data.get("refresh_token"),
        "token_uri":     token_url,
        "client_id":     GOOGLE_CLIENT_ID,
        "client_secret": GOOGLE_CLIENT_SECRET,
        "scopes": [
            "https://www.googleapis.com/auth/calendar.readonly",
            "https://www.googleapis.com/auth/calendar.events"
        ]
        # Note: You could also store expiry/time; google.oauth2.credentials will handle refreshing automatically.
    }
    return token_data, None

def get_calendar_service():
    """
    Build a googleapiclient β€˜service’ object using the stored tokens. 
    If tokens exist, we can construct google.oauth2.credentials.Credentials, 
    which will auto-refresh if expired.
    """
    token_info = user_tokens.get("default")
    if not token_info:
        return None  # Not authenticated yet

    creds = Credentials(
        token=token_info["access_token"],
        refresh_token=token_info["refresh_token"],
        token_uri=token_info["token_uri"],
        client_id=token_info["client_id"],
        client_secret=token_info["client_secret"],
        scopes=token_info["scopes"],
    )
    try:
        service = build("calendar", "v3", credentials=creds)
    except Exception as e:
        return None
    return service

# ──────────────────────────────────────────────────────────────────────────────
# 4) IMPORT YOUR EXISTING TOOLS
#    (Assumes you placed them in a subfolder named β€˜tools/’)
# ──────────────────────────────────────────────────────────────────────────────

from tools.current_datetime_tool import CurrentDateTimeTool
from tools.daily_event_summary_tool import DailyEventSummaryTool
from tools.weekly_event_summary_tool import WeeklyEventSummaryTool
from tools.modify_event_tool import ModifyEventTool

# ──────────────────────────────────────────────────────────────────────────────
# 5) FUNCTION TO BUILD A FRESH AGENT FOR EACH USER
#    (Because the β€˜service’ object is user-specific once authenticated)
# ──────────────────────────────────────────────────────────────────────────────

def build_agent_for_user():
    """
    1. Build the OpenAI model via AgentPro.
    2. Build a user-specific Google Calendar β€˜service’ via stored tokens.
    3. Instantiate each tool with that service (where required).
    4. Return a ReactAgent ready to run queries.
    """
    # 5.1) Create the LLM model
    model = create_model(
        provider    = "openai",
        model_name  = "gpt-3.5-turbo",
        api_key     = OPENAI_API_KEY,
        temperature = 0.3
    )

    # 5.2) Get the user’s Google Calendar service
    service = get_calendar_service()
    if service is None:
        return None  # Not authenticated yet

    # 5.3) Instantiate each tool, passing β€˜service’ where needed
    daily_planner_tool   = DailyEventSummaryTool(service=service)
    weekly_planner_tool  = WeeklyEventSummaryTool(service=service)
    modify_event_tool    = ModifyEventTool(service=service)
    current_dt_tool      = CurrentDateTimeTool()
    ares_tool            = AresInternetTool(ARES_API_KEY)

    tools_list = [
        daily_planner_tool,
        weekly_planner_tool,
        current_dt_tool,
        modify_event_tool,
        ares_tool,
    ]

    # 5.4) Create and return the ReactAgent
    agent = ReactAgent(model=model, tools=tools_list)
    return agent

# ──────────────────────────────────────────────────────────────────────────────
# 6) GRADIO CALLBACKS FOR AUTHENTICATION & EXCHANGE
# ──────────────────────────────────────────────────────────────────────────────

def open_google_oauth():
    """
    Called when user clicks β€œConnect Google Calendar.” Returns a message telling 
    them to copy the URL that opens.
    """
    url = build_auth_url()
    # Attempt to open in a new tab. (Browsers may block this; user can copy manually.)
    try:
        import webbrowser
        webbrowser.open_new_tab(url)
    except:
        pass
    return (
        "β˜… A new tab (or popup) should have opened for you to log in.\n\n"
        "If it did not, click this link manually:\n\n"
        f"{url}\n\n"
        "After granting access, you’ll end up on an error page. Copy the \
entire URL from your browser’s address bar (it contains β€œ?code=…”) \
and paste it below."
    )

def handle_auth_code(full_redirect_url: str):
    """
    Called when user pastes the entire redirect URL back into our textbox.
    We parse out β€˜code=…’, exchange it, and report success or failure.
    """
    code = extract_auth_code(full_redirect_url)
    if code is None:
        return "❌ Could not find β€˜code’ in the URL you pasted. Please paste the exact URL you were redirected to."

    token_data, error = exchange_code_for_tokens(code)
    if error:
        return f"❌ Token exchange failed: {error}"
    return "βœ… Successfully connected your Google Calendar! You can now ask about your events."

# ──────────────────────────────────────────────────────────────────────────────
# 7) GRADIO CHAT FUNCTION (uses user-specific agent)
# ──────────────────────────────────────────────────────────────────────────────

def chat_with_agent(user_input):
    """
    This is called whenever the user sends a chat query. 
    If not authenticated, prompt them to connect first. Otherwise, 
    build a fresh agent for this user and get a response.
    """
    # 7.1) Do we have a Calendar β€˜service’ for this user yet?
    service = get_calendar_service()
    if service is None:
        return "❌ Please connect your Google Calendar first (use the button above)."

    # 7.2) Build a new Agent with the user’s Calendar service
    agent = build_agent_for_user()
    if agent is None:
        return "❌ Something went wrong building the agent. Ensure you completed Calendar authentication."

    # 7.3) Run the agent on the user’s input
    try:
        response = agent.run(user_input)
        return response.final_answer
    except Exception as e:
        return "❌ Exception in agent.run():\n" + repr(e)

# ──────────────────────────────────────────────────────────────────────────────
# 8) ASSEMBLE GRADIO INTERFACE
# ──────────────────────────────────────────────────────────────────────────────

with gr.Blocks() as demo:
    gr.Markdown("## πŸ—“οΈ Calendar Chatbot (Gradio + HF Spaces)")

    # β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”
    # A) CONNECT GOOGLE CALENDAR SECTION
    # β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”
    with gr.Row():
        connect_btn   = gr.Button("πŸ”— Connect Google Calendar")
        auth_message  = gr.Textbox(label="Auth Instructions / Status", interactive=False)

    connect_btn.click(fn=open_google_oauth, outputs=auth_message)

    auth_code_input = gr.Textbox(
        lines=1, 
        placeholder="Paste full Google redirect URL here (contains β€˜code=…’)",
        label="Step 2: Paste full redirect URL"
    )
    auth_status = gr.Textbox(label="Authentication Result", interactive=False)
    auth_code_input.submit(fn=handle_auth_code, inputs=auth_code_input, outputs=auth_status)

    gr.Markdown("---")

    # β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”
    # B) CHAT SECTION
    # β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”β€”
    chat_input  = gr.Textbox(lines=2, placeholder="E.g., What’s on my calendar today?")
    chat_output = gr.Textbox(label="Response", interactive=False)

    chat_input.submit(fn=chat_with_agent, inputs=chat_input, outputs=chat_output)

    # You can also add a β€œSend” button if you like:
    # send_btn = gr.Button("βœ‰οΈ Send")
    # send_btn.click(fn=chat_with_agent, inputs=chat_input, outputs=chat_output)

demo.launch()