Building a Local Events Finder with Hyperbrowser and GPT-4o

In this cookbook, we'll create an intelligent events finder that can automatically discover and organize local events in any city around the world. This agent will:

  1. Take a city name as input
  2. Determine the country based on the city name
  3. Extract event information from event platforms like Eventbrite
  4. Present a curated list of events in a user-friendly format
  5. Filter events based on user interests and preferences

This approach combines:

  • Hyperbrowser for web scraping and data extraction
  • OpenAI's GPT-4o for intelligent analysis and content curation

By the end of this cookbook, you'll have a versatile tool that can help you or your users discover interesting events in any location!

Prerequisites

Before starting, you'll need:

  1. A Hyperbrowser API key (sign up at hyperbrowser.ai if you don't have one)
  2. An OpenAI API key with access to GPT-4o

Store these API keys in a .env file in the same directory as this notebook:

HYPERBROWSER_API_KEY=your_hyperbrowser_key_here
OPENAI_API_KEY=your_openai_key_here

Step 1: Set up imports and load environment variables

We start by importing the necessary packages and initializing our environment variables.

import asyncio
import json
import os
from dotenv import load_dotenv
from hyperbrowser import AsyncHyperbrowser
from hyperbrowser.models.scrape import StartScrapeJobParams, ScrapeOptions
from hyperbrowser.models.session import CreateSessionParams
from openai import AsyncOpenAI
from openai.types.chat import (
ChatCompletionMessageParam,
ChatCompletionMessageToolCall,
ChatCompletionToolMessageParam,
ChatCompletionToolParam,
)
from pydantic import BaseModel
from typing import Optional, List
load_dotenv()

True

Step 2: Initialize API clients

hb = AsyncHyperbrowser(api_key=os.getenv("HYPERBROWSER_API_KEY"))
llm = AsyncOpenAI()

Step 3: Define data models for event extraction

We'll define Pydantic models to structure our event data. This ensures that we receive consistent, well-formatted information about each event, including:

  • Event title and description
  • Location details
  • Date and time information
  • URL for more details
  • Optional information like image URLs and event status

These models will help us structure the data we extract from event websites.

We also define a custom extraction tool that will be used with the llm to extract events from webpages. This tool takes city and country parameters and will be used to trigger our event extraction logic. The tool follows the OpenAI function calling format, allowing the LLM to invoke it when needed.

class EventExtractSchema(BaseModel):
title: str
description: str
location: str
date: str
time: str
url: str
image_url: Optional[str]
status: Optional[str]
class EventExtractListSchema(BaseModel):
events: List[EventExtractSchema]
EXTRACT_EVENT_NAME = "extract_events"
EventExtractionTool: ChatCompletionToolParam = {
"type": "function",
"function": {
"name": EXTRACT_EVENT_NAME,
"description": "Extract events from a webpage",
"parameters": {
"type": "object",
"properties": {
"city": {"type": "string"},
"country": {"type": "string"},
"event_topic": {"type": ["string", "null"]},
},
"required": ["city", "country"],
},
},
}
MAX_INPUT_CHARACTERS = 25000

Step 4: Create the event extraction function

This function handles the core functionality of our events finder:

  1. It takes a city and country as input
  2. Formats them to work with event listing sites like Eventbrite
  3. Uses Hyperbrowser to scrape the event listings page
  4. Employs GPT-4o mini to parse the raw HTML/markdown into structured event data
  5. Returns a list of events in a consistent format

The function handles pagination limits intelligently by truncating extremely long scraped content.

Note that we're handling the extraction of events manually rather than using the built-in extract API for several reasons:

  1. The scraped content from event sites is often very large, potentially exceeding the input limits of the extraction API
  2. By processing the extraction on our end, we can implement custom truncation logic with the MAX_INPUT_CHARACTERS limit

This manual extraction pattern is useful whenever dealing with large or complex web pages where the normal extraction might struggle with input size limitations.

async def handle_events_extraction(
city: str, country: str, event_topic: Optional[str]
) -> None | EventExtractListSchema:
country_formatted = country.replace(" ", "-").lower()
city_formatted = city.replace(" ", "-").lower()
event_formatted = event_topic.replace(" ","-").lower() if event_topic else "all-events"
url = f"https://www.eventbrite.com/d/{country_formatted}--{city_formatted}/{event_formatted}/"
print(url)
response = await hb.scrape.start_and_wait(
StartScrapeJobParams(
url=url,
scrape_options=ScrapeOptions(formats=["markdown"]),
session_options=CreateSessionParams(use_proxy=True),
)
)
print(response)
if response.data is None or response.data.markdown is None:
return None
else:
messages: List[ChatCompletionMessageParam] = [
{
"role": "system",
"content": "You are a text parser. You will be give markdown text, and you will need to parse it into a structured format.",
},
{
"role": "user",
"content": (
response.data.markdown
if len(response.data.markdown) < MAX_INPUT_CHARACTERS
else response.data.markdown[:MAX_INPUT_CHARACTERS]
),
},
]
response = await llm.beta.chat.completions.parse(
model="gpt-4o-mini",
messages=messages,
response_format=EventExtractListSchema,
)
return response.choices[0].message.parsed

Step 5: Implement the tool handler

The tool handler function processes requests from the LLM to interact with our event extraction functionality. It:

  1. Receives tool call parameters from the LLM
  2. Validates the input parameters (city and country)
  3. Executes the event extraction function
  4. Formats and returns the results
  5. Handles any errors that might occur during execution
async def handle_tool_call(
tc: ChatCompletionMessageToolCall,
) -> ChatCompletionToolMessageParam:
print(f"Handling tool call: {tc.function.name}")
try:
if tc.function.name == EXTRACT_EVENT_NAME:
args = json.loads(tc.function.arguments)
content = await handle_events_extraction(**args)
if content is None:
return {
"role": "tool",
"tool_call_id": tc.id,
"content": "No events found",
}
else:
return {
"role": "tool",
"tool_call_id": tc.id,
"content": content.model_dump_json(),
}
else:
raise ValueError(f"Tool not found: {tc.function.name}")
except Exception as e:
err_msg = f"Error handling tool call: {e}"
print(err_msg)
return {
"role": "tool",
"tool_call_id": tc.id,
"content": err_msg,
"is_error": True, # type: ignore
}

Step 6: Create the agent loop

Now we implement the core agent loop that orchestrates the conversation between:

  1. The user (who asks about events)
  2. The LLM (which analyzes the request and determines what information is needed)
  3. Our tool (which fetches and structures the event data)

This recursive pattern allows for sophisticated interactions where the agent can auto correct itself based on the parameters provided to the tool calls.

async def agent_loop(messages: list[ChatCompletionMessageParam]) -> str:
while True:
response = await llm.chat.completions.create(
messages=messages,
model="gpt-4o",
tools=[EventExtractionTool],
max_completion_tokens=8000,
)
choice = response.choices[0]
# Append response to messages
messages.append(choice.message) # type: ignore
# Handle tool calls
if (
choice.finish_reason == "tool_calls"
and choice.message.tool_calls is not None
):
tool_result_messages = await asyncio.gather(
*[handle_tool_call(tc) for tc in choice.message.tool_calls]
)
messages.extend(tool_result_messages)
elif choice.finish_reason == "stop" and choice.message.content is not None:
return choice.message.content
else:
print(choice)
raise ValueError(f"Unhandled finish reason: {choice.finish_reason}")

Step 7: Design the system prompt

The system prompt is crucial for guiding the LLM's behavior. Our prompt establishes the agent as an event finder that can:

  1. Infer the country from a city name
  2. Use the event extraction tool to gather event information
  3. Filter events based on user preferences
  4. Format the results in a user-friendly way

This provides a consistent framework for all agent interactions.

SYSTEM_PROMPT = """
You are an event finder. You have access to a 'extract_events' tool which can be used to get structured data from a webpage regarding events in a city. To use this, you will be given a city name - {city}. You will then infer the country from the city name and use the 'extract_events' tool to get the events in the city.
Once you have the information, you will then format the information in a way that is easy to understand and use, ideally in a markdown format.
The user may or may not provide you with a filter. If they do, you will filter the events based what you can infer from the user prompt.
In summary, you will:
1. Infer the country from the city name
2. Use the 'extract_events' tool to get the events in the city
3. If the user provides a filter, you will filter the events based on the user prompt
- Filter the events based on the user prompt
4. Return the information in a way that is easy to understand and use, ideally in a markdown format
""".strip()

Step 8: Create a factory function for generating event finders

Now we'll create a factory function that generates a specialized event finder for any city. This function:

  1. Takes a city name as input
  2. Formats the system prompt with this value
  3. Returns a function that can answer questions about events in that location

This approach makes our solution reusable for event discovery in any location worldwide.

from typing import Coroutine, Any, Callable
def make_event_finder(city: str) -> Callable[..., Coroutine[Any, Any, str]]:
sysprompt = SYSTEM_PROMPT.format(
city=city,
)
async def event_finder(question: str) -> str:
messages: list[ChatCompletionMessageParam] = [
{"role": "system", "content": sysprompt},
]
if question:
messages.append({"role": "user", "content": question})
return await agent_loop(messages)
return event_finder

Step 9: Test the events finder

Let's test our agent by searching for events in San Francisco. This demonstrates the full workflow:

  1. The agent infers that San Francisco is in the United States
  2. It looks for events in San Francisco, USA by searching on eventbrite.
  3. It extracts and formats all the event information available for San Francisco.
  4. It then presents a curated list of events that are centered around gaming.
city = "San Francisco"
event_finder = make_event_finder(city)
response = await event_finder("I'm looking for gaming events in San Francisco")
Handling tool call: extract_events

https://www.eventbrite.com/d/usa--san-francisco/gaming/

job_id='65e8e58c-f78c-4f53-91ee-01c5e7bf1cf7' status='completed' error=None data=ScrapeJobData(metadata={'url': 'https://www.eventbrite.com/d/ca--san-francisco/gaming/', 'title': 'Discover Gaming Events & Activities in San Francisco, CA | Eventbrite', 'y_key': 'd92e23811007b438', 'og:ttl': '777600', 'og:url': 'https://www.eventbrite.com/d/ca--san-francisco/gaming/', 'robots': 'index, follow, ', 'og:type': 'website', 'og:image': 'https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F943006353%2F2589230919051%2F1%2Foriginal.20250123-163412?crop=focalpoint&fit=crop&h=230&w=460&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=491382d90b1fa36d903d88f510683b4e', 'og:title': 'Discover Gaming Events & Activities in San Francisco, CA | Eventbrite', 'viewport': 'initial-scale=1, width=device-width', 'fb:app_id': '28218816837', 'link:icon': 'https://cdn.evbstatic.com/s3-build/prod/1907432-rc2025-03-19_20.04-py27-64743d8/django/images/favicons/favicon-16x16.png', 'link:next': 'https://www.eventbrite.com/d/ca--san-francisco/gaming/?page=2', 'sourceURL': 'https://www.eventbrite.com/d/usa--san-francisco/gaming', 'theme-color': '#f6682f', 'og:site_name': 'Eventbrite', 'twitter:card': 'summary_large_image', 'twitter:site': '@eventbrite', 'link:manifest': 'https://cdn.evbstatic.com/s3-build/prod/1907432-rc2025-03-19_20.04-py27-64743d8/django/images/favicons/manifest.webmanifest', 'msvalidate.01': 'A9AB07B7E430E4608E0BC57AFA5004AA', 'twitter:title': 'Discover Gaming Events & Activities in San Francisco, CA | Eventbrite', 'link:alternate': 'https://www.eventbrite.com/d/ca--san-francisco/gaming/', 'link:canonical': 'https://www.eventbrite.com/d/ca--san-francisco/gaming/', 'link:mask-icon': 'https://cdn.evbstatic.com/s3-build/prod/1907432-rc2025-03-19_20.04-py27-64743d8/django/images/favicons/safari-pinned-tab.svg', 'link:preconnect': 'https://cdn.evbstatic.com/s3-build/fe/dist/fonts-extended/1.0.1/styles/fonts-extended.css', 'link:stylesheet': 'https://cdn.evbstatic.com/s3-build/fe/build/4093.91622453fbb1ff287340.css', 'application-name': 'Eventbrite', 'link:dns-prefetch': 'https://www.googletagmanager.com/', 'link:shortcut icon': 'https://cdn.evbstatic.com/s3-build/prod/1907432-rc2025-03-19_20.04-py27-64743d8/django/images/favicons/favicon.ico', 'link:apple-touch-icon': 'https://cdn.evbstatic.com/s3-build/prod/1907432-rc2025-03-19_20.04-py27-64743d8/django/images/touch_icons/apple-touch-icon-180x180.png', 'msapplication-TileColor': '#f6682f', 'msapplication-TileImage': 'https://cdn.evbstatic.com/s3-build/prod/1907432-rc2025-03-19_20.04-py27-64743d8/django/images/favicons/mstile-144x144.png', 'apple-mobile-web-app-title': 'Eventbrite'}, html=None, markdown="Discover Gaming Events & Activities in San Francisco, CA \\| Eventbrite\n\nYour version of Internet Explorer is not longer supported. Please [upgrade your browser](https://www.eventbrite.com/support/articles/en_US/Troubleshooting/how-to-troubleshoot-internet-browser-issues).\n\n\nFilters\n\nDate\n\nCategory\n\nFormat\n\nPrice\n\nLanguage\n\nCurrency\n\n- [![Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F943006353%2F2589230919051%2F1%2Foriginal.20250123-163412?crop=focalpoint&fit=crop&h=230&w=460&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=491382d90b1fa36d903d88f510683b4e)](https://www.eventbrite.com/e/making-money-with-your-voice-intro-to-voice-overs-live-online-workshop-tickets-1290204248639?aff=ebdssbdestsearch)\n\n[**Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop**](https://www.eventbrite.com/e/making-money-with-your-voice-intro-to-voice-overs-live-online-workshop-tickets-1290204248639?aff=ebdssbdestsearch)\n\nMon, Mar 31 • 6:30 PM PDT\n\n\n\n\n\nFrom $15.00\n\n\n\n\n\n\n\nVoice Coaches\n\n\n\n301 followers\n\n\n\n\n\n\n\nPromoted\n\n\n\n\n\n_Save this event: Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop__Share this event: Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop_\n_Promoted event actions_\n\n\n[View Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop](https://www.eventbrite.com/e/making-money-with-your-voice-intro-to-voice-overs-live-online-workshop-tickets-1290204248639?aff=ebdssbdestsearch)\n\n\n\n\n\n\n\n\n\n\n\n[![Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F943006353%2F2589230919051%2F1%2Foriginal.20250123-163412?crop=focalpoint&fit=crop&h=230&w=460&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=491382d90b1fa36d903d88f510683b4e)](https://www.eventbrite.com/e/making-money-with-your-voice-intro-to-voice-overs-live-online-workshop-tickets-1290204248639?aff=ebdssbdestsearch)\n\n[**Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop**](https://www.eventbrite.com/e/making-money-with-your-voice-intro-to-voice-overs-live-online-workshop-tickets-1290204248639?aff=ebdssbdestsearch)\n\nMon, Mar 31 • 6:30 PM PDT\n\n\n\n\n\nFrom $15.00\n\n\n\n\n\n\n\nPromoted\n\n\n\n\n\n\n\n_Share this event: Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop__Save this event: Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop_\n_Promoted event actions_\n[View Making Money With Your Voice-Intro to Voice Overs- Live Online Workshop](https://www.eventbrite.com/e/making-money-with-your-voice-intro-to-voice-overs-live-online-workshop-tickets-1290204248639?aff=ebdssbdestsearch)\n\n- [![Turn Searches into Sales: Google Strategies to Grow Your Local Business primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F976316333%2F2183479569213%2F1%2Foriginal.20250305-205055?h=230&w=460&auto=format%2Ccompress&q=75&sharp=10&s=6ff32e47078c50d2beac4bccd09559ea)](https://www.eventbrite.com/e/turn-searches-into-sales-google-strategies-to-grow-your-local-business-tickets-1270500835199?aff=ebdssbdestsearch)\n\n[**Turn Searches into Sales: Google Strategies to Grow Your Local Business**](https://www.eventbrite.com/e/turn-searches-into-sales-google-strategies-to-grow-your-local-business-tickets-1270500835199?aff=ebdssbdestsearch)\n\nFriday • 11:00 AM PDT\n\n\n\n\n\nFrom $4.00\n\n\n\n\n\n\n\nShire Lyon Ads\n\n\n\n15 followers\n\n\n\n\n\n\n\nPromoted\n\n\n\n\n\n_Save this event: Turn Searches into Sales: Google Strategies to Grow Your Local Business__Share this event: Turn Searches into Sales: Google Strategies to Grow Your Local Business_\n_Promoted event actions_\n\n\n[View Turn Searches into Sales: Google Strategies to Grow Your Local Business](https://www.eventbrite.com/e/turn-searches-into-sales-google-strategies-to-grow-your-local-business-tickets-1270500835199?aff=ebdssbdestsearch)\n\n\n\n\n\n\n\n\n\n\n\n[![Turn Searches into Sales: Google Strategies to Grow Your Local Business primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F976316333%2F2183479569213%2F1%2Foriginal.20250305-205055?h=230&w=460&auto=format%2Ccompress&q=75&sharp=10&s=6ff32e47078c50d2beac4bccd09559ea)](https://www.eventbrite.com/e/turn-searches-into-sales-google-strategies-to-grow-your-local-business-tickets-1270500835199?aff=ebdssbdestsearch)\n\n[**Turn Searches into Sales: Google Strategies to Grow Your Local Business**](https://www.eventbrite.com/e/turn-searches-into-sales-google-strategies-to-grow-your-local-business-tickets-1270500835199?aff=ebdssbdestsearch)\n\nFriday • 11:00 AM PDT\n\n\n\n\n\nFrom $4.00\n\n\n\n\n\n\n\nPromoted\n\n\n\n\n\n\n\n_Share this event: Turn Searches into Sales: Google Strategies to Grow Your Local Business__Save this event: Turn Searches into Sales: Google Strategies to Grow Your Local Business_\n_Promoted event actions_\n[View Turn Searches into Sales: Google Strategies to Grow Your Local Business](https://www.eventbrite.com/e/turn-searches-into-sales-google-strategies-to-grow-your-local-business-tickets-1270500835199?aff=ebdssbdestsearch)\n\n- [![Get Paid to Talk-Intro to Voice Overs- Live Online Workshop primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F941182373%2F933317738503%2F1%2Foriginal.20250121-185017?crop=focalpoint&fit=crop&h=230&w=460&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=4035908c5a4521de29ba07817b8ced0b)](https://www.eventbrite.com/e/get-paid-to-talk-intro-to-voice-overs-live-online-workshop-tickets-1290195542599?aff=ebdssbdestsearch)\n\n[**Get Paid to Talk-Intro to Voice Overs- Live Online Workshop**](https://www.eventbrite.com/e/get-paid-to-talk-intro-to-voice-overs-live-online-workshop-tickets-1290195542599?aff=ebdssbdestsearch)\n\nWed, Mar 26 • 3:30 PM PDT\n\n\n\n\n\nFrom $15.00\n\n\n\n\n\n\n\nVoice Coaches CVDG\n\n\n\n463 followers\n\n\n\n\n\n\n\nPromoted\n\n\n\n\n\n_Save this event: Get Paid to Talk-Intro to Voice Overs- Live Online Workshop__Share this event: Get Paid to Talk-Intro to Voice Overs- Live Online Workshop_\n_Promoted event actions_\n\n\n[View Get Paid to Talk-Intro to Voice Overs- Live Online Workshop](https://www.eventbrite.com/e/get-paid-to-talk-intro-to-voice-overs-live-online-workshop-tickets-1290195542599?aff=ebdssbdestsearch)\n\n\n\n\n\n\n\n\n\n\n\n[![Get Paid to Talk-Intro to Voice Overs- Live Online Workshop primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F941182373%2F933317738503%2F1%2Foriginal.20250121-185017?crop=focalpoint&fit=crop&h=230&w=460&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=4035908c5a4521de29ba07817b8ced0b)](https://www.eventbrite.com/e/get-paid-to-talk-intro-to-voice-overs-live-online-workshop-tickets-1290195542599?aff=ebdssbdestsearch)\n\n[**Get Paid to Talk-Intro to Voice Overs- Live Online Workshop**](https://www.eventbrite.com/e/get-paid-to-talk-intro-to-voice-overs-live-online-workshop-tickets-1290195542599?aff=ebdssbdestsearch)\n\nWed, Mar 26 • 3:30 PM PDT\n\n\n\n\n\nFrom $15.00\n\n\n\n\n\n\n\nPromoted\n\n\n\n\n\n\n\n_Share this event: Get Paid to Talk-Intro to Voice Overs- Live Online Workshop__Save this event: Get Paid to Talk-Intro to Voice Overs- Live Online Workshop_\n_Promoted event actions_\n[View Get Paid to Talk-Intro to Voice Overs- Live Online Workshop](https://www.eventbrite.com/e/get-paid-to-talk-intro-to-voice-overs-live-online-workshop-tickets-1290195542599?aff=ebdssbdestsearch)\n\n- [![Bayview Game Fest primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F968539503%2F2274868454483%2F1%2Foriginal.20250225-020146?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=da2a8961847ed00a5fad968fc2adabef)](https://www.eventbrite.com/e/bayview-game-fest-tickets-1258961159719?aff=ebdssbdestsearch)\n\n[**Bayview Game Fest**](https://www.eventbrite.com/e/bayview-game-fest-tickets-1258961159719?aff=ebdssbdestsearch)\n\nSaturday • 12:00 PM\n\n\n\n4705 3rd St\n\n\n\n\n\nFree\n\n\n\n_Save this event: Bayview Game Fest__Share this event: Bayview Game Fest_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![Bayview Game Fest primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F968539503%2F2274868454483%2F1%2Foriginal.20250225-020146?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=da2a8961847ed00a5fad968fc2adabef)](https://www.eventbrite.com/e/bayview-game-fest-tickets-1258961159719?aff=ebdssbdestsearch)\n\n[**Bayview Game Fest**](https://www.eventbrite.com/e/bayview-game-fest-tickets-1258961159719?aff=ebdssbdestsearch)\n\nSaturday • 12:00 PM\n\n\n\n4705 3rd St\n\n\n\n\n\nFree\n\n\n\n\n\n_Share this event: Bayview Game Fest__Save this event: Bayview Game Fest_\n\n- [![GDC 2025 Mixer + After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F650093179%2F271122442446%2F1%2Foriginal.20231129-065749?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C0%2C2160%2C1080&s=2f6b24ac6d547a6259c7920173a698d0)](https://www.eventbrite.com/e/gdc-2025-mixer-after-party-tickets-1027639416157?aff=ebdssbdestsearch)\n\n[**GDC 2025 Mixer + After Party**](https://www.eventbrite.com/e/gdc-2025-mixer-after-party-tickets-1027639416157?aff=ebdssbdestsearch)\n\nTomorrow • 5:30 PM\n\n\n\nTemple Nightclub San Francisco\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n\n\nLevel Up Events\n\n\n\n375 followers\n\n\n\n_Save this event: GDC 2025 Mixer + After Party__Share this event: GDC 2025 Mixer + After Party_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![GDC 2025 Mixer + After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F650093179%2F271122442446%2F1%2Foriginal.20231129-065749?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C0%2C2160%2C1080&s=2f6b24ac6d547a6259c7920173a698d0)](https://www.eventbrite.com/e/gdc-2025-mixer-after-party-tickets-1027639416157?aff=ebdssbdestsearch)\n\n[**GDC 2025 Mixer + After Party**](https://www.eventbrite.com/e/gdc-2025-mixer-after-party-tickets-1027639416157?aff=ebdssbdestsearch)\n\nTomorrow • 5:30 PM\n\n\n\nTemple Nightclub San Francisco\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n_Share this event: GDC 2025 Mixer + After Party__Save this event: GDC 2025 Mixer + After Party_\n\n- [![First Thursdays at Better Sunday: Retro Game Night primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F804739199%2F2144910885153%2F1%2Foriginal.20240709-220617?w=303&auto=format%2Ccompress&q=75&sharp=10&s=d78b32026088157363bf5a5b0a3df024)](https://www.eventbrite.com/e/first-thursdays-at-better-sunday-retro-game-night-tickets-944606131367?aff=ebdssbdestsearch)\n\n[**First Thursdays at Better Sunday: Retro Game Night**](https://www.eventbrite.com/e/first-thursdays-at-better-sunday-retro-game-night-tickets-944606131367?aff=ebdssbdestsearch)\n\nThu, Apr 3 • 6:00 PM + 1 more\n\n\n\nBetter Sunday - A Feel Good Bottle Shop & Social Club\n\n\n\n\n\nFree\n\n\n\n\n\n\n\nBetter Sunday\n\n\n\n51 followers\n\n\n\n_Save this event: First Thursdays at Better Sunday: Retro Game Night__Share this event: First Thursdays at Better Sunday: Retro Game Night_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![First Thursdays at Better Sunday: Retro Game Night primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F804739199%2F2144910885153%2F1%2Foriginal.20240709-220617?w=303&auto=format%2Ccompress&q=75&sharp=10&s=d78b32026088157363bf5a5b0a3df024)](https://www.eventbrite.com/e/first-thursdays-at-better-sunday-retro-game-night-tickets-944606131367?aff=ebdssbdestsearch)\n\n[**First Thursdays at Better Sunday: Retro Game Night**](https://www.eventbrite.com/e/first-thursdays-at-better-sunday-retro-game-night-tickets-944606131367?aff=ebdssbdestsearch)\n\nThu, Apr 3 • 6:00 PM + 1 more\n\n\n\nBetter Sunday - A Feel Good Bottle Shop & Social Club\n\n\n\n\n\nFree\n\n\n\n\n\n_Share this event: First Thursdays at Better Sunday: Retro Game Night__Save this event: First Thursdays at Better Sunday: Retro Game Night_\n\n- [![Gamera Games Indie Party @ GDC primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F977715263%2F1387979839633%2F1%2Foriginal.20250307-055830?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.441326530612&fp-y=0.547770700637&s=353aac5d84b1da172cac324e764731ad)](https://www.eventbrite.com/e/gamera-games-indie-party-gdc-tickets-1273400367779?aff=ebdssbdestsearch)\n\n[**Gamera Games Indie Party @ GDC**](https://www.eventbrite.com/e/gamera-games-indie-party-gdc-tickets-1273400367779?aff=ebdssbdestsearch)\n\nFriday • 5:00 PM\n\n\n\n540 Howard St\n\n\n\n\n\nFree\n\n\n\n\n\n\n\nGamera Games global indie publisher HQ’D in Asia\n\n\n\n211 followers\n\n\n\n_Save this event: Gamera Games Indie Party @ GDC__Share this event: Gamera Games Indie Party @ GDC_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![Gamera Games Indie Party @ GDC primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F977715263%2F1387979839633%2F1%2Foriginal.20250307-055830?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.441326530612&fp-y=0.547770700637&s=353aac5d84b1da172cac324e764731ad)](https://www.eventbrite.com/e/gamera-games-indie-party-gdc-tickets-1273400367779?aff=ebdssbdestsearch)\n\n[**Gamera Games Indie Party @ GDC**](https://www.eventbrite.com/e/gamera-games-indie-party-gdc-tickets-1273400367779?aff=ebdssbdestsearch)\n\nFriday • 5:00 PM\n\n\n\n540 Howard St\n\n\n\n\n\nFree\n\n\n\n\n\n_Share this event: Gamera Games Indie Party @ GDC__Save this event: Gamera Games Indie Party @ GDC_\n\n- [![D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F943355283%2F135539873830%2F1%2Foriginal.20250123-221740?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=f17b022fdb79dc86c2b4ad5954a14e4c)](https://www.eventbrite.com/e/dd-8-week-campaigns-for-teens-ages-12-18-at-sf-public-library-tickets-1219969324089?aff=ebdssbdestsearch)\n\n[**D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library**](https://www.eventbrite.com/e/dd-8-week-campaigns-for-teens-ages-12-18-at-sf-public-library-tickets-1219969324089?aff=ebdssbdestsearch)\n\nSunday • 12:30 PM\n\n\n\nThe Mix at SFPL (Main Library)\n\n\n\n\n\nFree\n\n\n\n\n\n\n\nThe Mix at SFPL!\n\n\n\n28 followers\n\n\n\n_Save this event: D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library__Share this event: D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F943355283%2F135539873830%2F1%2Foriginal.20250123-221740?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=f17b022fdb79dc86c2b4ad5954a14e4c)](https://www.eventbrite.com/e/dd-8-week-campaigns-for-teens-ages-12-18-at-sf-public-library-tickets-1219969324089?aff=ebdssbdestsearch)\n\n[**D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library**](https://www.eventbrite.com/e/dd-8-week-campaigns-for-teens-ages-12-18-at-sf-public-library-tickets-1219969324089?aff=ebdssbdestsearch)\n\nSunday • 12:30 PM\n\n\n\nThe Mix at SFPL (Main Library)\n\n\n\n\n\nFree\n\n\n\n\n\n_Share this event: D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library__Save this event: D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library_\n\n- [![Youth Super Smash Bros Night primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F981051203%2F24437036162%2F1%2Foriginal.20250311-181756?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=8288035bef68957689f22cd55f9cc2e2)](https://www.eventbrite.com/e/youth-super-smash-bros-night-tickets-1279796920039?aff=ebdssbdestsearch)\n\n[**Youth Super Smash Bros Night**](https://www.eventbrite.com/e/youth-super-smash-bros-night-tickets-1279796920039?aff=ebdssbdestsearch)\n\nTuesday • 5:00 PM\n\n\n\n1800 Market St\n\n\n\n\n\nFree\n\n\n\n\n\n\n\nYouth Program at the SF LGBT Center\n\n\n\n26 followers\n\n\n\n_Save this event: Youth Super Smash Bros Night__Share this event: Youth Super Smash Bros Night_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![Youth Super Smash Bros Night primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F981051203%2F24437036162%2F1%2Foriginal.20250311-181756?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=8288035bef68957689f22cd55f9cc2e2)](https://www.eventbrite.com/e/youth-super-smash-bros-night-tickets-1279796920039?aff=ebdssbdestsearch)\n\n[**Youth Super Smash Bros Night**](https://www.eventbrite.com/e/youth-super-smash-bros-night-tickets-1279796920039?aff=ebdssbdestsearch)\n\nTuesday • 5:00 PM\n\n\n\n1800 Market St\n\n\n\n\n\nFree\n\n\n\n\n\n_Share this event: Youth Super Smash Bros Night__Save this event: Youth Super Smash Bros Night_\n\n- [![GDC Final Ascent Rivals Playtest primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F984365023%2F696525192863%2F1%2Foriginal.20250315-020233?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=a8aa81351c0daea581ce386c25e5c94a)](https://www.eventbrite.com/e/gdc-final-ascent-rivals-playtest-tickets-1287209210399?aff=ebdssbdestsearch)\n\n[**GDC Final Ascent Rivals Playtest**](https://www.eventbrite.com/e/gdc-final-ascent-rivals-playtest-tickets-1287209210399?aff=ebdssbdestsearch)\n\nSaturday • 11:30 AM\n\n\n\nGENUN Content House\n\n\n\n\n\nFree\n\n\n\n\n\nAscent Rivals\n\n_Save this event: GDC Final Ascent Rivals Playtest__Share this event: GDC Final Ascent Rivals Playtest_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![GDC Final Ascent Rivals Playtest primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F984365023%2F696525192863%2F1%2Foriginal.20250315-020233?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=a8aa81351c0daea581ce386c25e5c94a)](https://www.eventbrite.com/e/gdc-final-ascent-rivals-playtest-tickets-1287209210399?aff=ebdssbdestsearch)\n\n[**GDC Final Ascent Rivals Playtest**](https://www.eventbrite.com/e/gdc-final-ascent-rivals-playtest-tickets-1287209210399?aff=ebdssbdestsearch)\n\nSaturday • 11:30 AM\n\n\n\nGENUN Content House\n\n\n\n\n\nFree\n\n\n\n\n\n_Share this event: GDC Final Ascent Rivals Playtest__Save this event: GDC Final Ascent Rivals Playtest_\n\n- [![New Game Plus Mixer + Game Demos primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F985582473%2F271122442446%2F1%2Foriginal.20250317-151025?crop=focalpoint&fit=crop&w=309&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=859d3c34fe5eeda6e3daf05a020c449d)](https://www.eventbrite.com/e/new-game-plus-mixer-game-demos-tickets-1289905274399?aff=ebdssbdestsearch)\n\n[**New Game Plus Mixer + Game Demos**](https://www.eventbrite.com/e/new-game-plus-mixer-game-demos-tickets-1289905274399?aff=ebdssbdestsearch)\n\nFriday • 1:00 PM\n\n\n\nThe Media Room\n\n\n\n\n\nFrom $0.00\n\n\n\n\n\n\n\nLevel Up Events\n\n\n\n375 followers\n\n\n\n_Save this event: New Game Plus Mixer + Game Demos__Share this event: New Game Plus Mixer + Game Demos_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![New Game Plus Mixer + Game Demos primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F985582473%2F271122442446%2F1%2Foriginal.20250317-151025?crop=focalpoint&fit=crop&w=309&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=859d3c34fe5eeda6e3daf05a020c449d)](https://www.eventbrite.com/e/new-game-plus-mixer-game-demos-tickets-1289905274399?aff=ebdssbdestsearch)\n\n[**New Game Plus Mixer + Game Demos**](https://www.eventbrite.com/e/new-game-plus-mixer-game-demos-tickets-1289905274399?aff=ebdssbdestsearch)\n\nFriday • 1:00 PM\n\n\n\nThe Media Room\n\n\n\n\n\nFrom $0.00\n\n\n\n\n\n_Share this event: New Game Plus Mixer + Game Demos__Save this event: New Game Plus Mixer + Game Demos_\n\n- Sold Out\n\n\n\n[![GDC Level Up Mixer + After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F959913363%2F271122442446%2F1%2Foriginal.20250213-133112?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=e5373b17a38881ba4af379e81b60354e)](https://www.eventbrite.com/e/gdc-level-up-mixer-after-party-tickets-1248215599459?aff=ebdssbdestsearch)\n\n[**GDC Level Up Mixer + After Party**](https://www.eventbrite.com/e/gdc-level-up-mixer-after-party-tickets-1248215599459?aff=ebdssbdestsearch)\n\nToday • 5:00 PM\n\n\n\n7 Social SF\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n\n\nLevel Up Events\n\n\n\n375 followers\n\n\n\n_Save this event: GDC Level Up Mixer + After Party__Share this event: GDC Level Up Mixer + After Party_\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nSold Out\n\n\n\n[![GDC Level Up Mixer + After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F959913363%2F271122442446%2F1%2Foriginal.20250213-133112?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=e5373b17a38881ba4af379e81b60354e)](https://www.eventbrite.com/e/gdc-level-up-mixer-after-party-tickets-1248215599459?aff=ebdssbdestsearch)\n\n[**GDC Level Up Mixer + After Party**](https://www.eventbrite.com/e/gdc-level-up-mixer-after-party-tickets-1248215599459?aff=ebdssbdestsearch)\n\nToday • 5:00 PM\n\n\n\n7 Social SF\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n_Share this event: GDC Level Up Mixer + After Party__Save this event: GDC Level Up Mixer + After Party_\n\n- Sold Out\n\n\n\n[![2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐) primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F975448653%2F1433711224063%2F1%2Foriginal.20250305-004205?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=1.0&fp-y=0.282527881041&s=3938603444679afa14fd5b6b1e9b913a)](https://www.eventbrite.com/e/2025-gdc-chinese-gaming-industry-gathering-2025-gdc-registration-1269956978509?aff=ebdssbdestsearch)\n\n[**2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐)**](https://www.eventbrite.com/e/2025-gdc-chinese-gaming-industry-gathering-2025-gdc-registration-1269956978509?aff=ebdssbdestsearch)\n\nToday • 6:30 PM\n\n\n\nFondue Chinoise\n\n\n\n\n\nFrom $60.00\n\n\n\n\n\n\n\nBo Mei\n\n\n\n13 followers\n\n\n\n_Save this event: 2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐)__Share this event: 2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐)_\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nSold Out\n\n\n\n[![2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐) primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F975448653%2F1433711224063%2F1%2Foriginal.20250305-004205?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=1.0&fp-y=0.282527881041&s=3938603444679afa14fd5b6b1e9b913a)](https://www.eventbrite.com/e/2025-gdc-chinese-gaming-industry-gathering-2025-gdc-registration-1269956978509?aff=ebdssbdestsearch)\n\n[**2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐)**](https://www.eventbrite.com/e/2025-gdc-chinese-gaming-industry-gathering-2025-gdc-registration-1269956978509?aff=ebdssbdestsearch)\n\nToday • 6:30 PM\n\n\n\nFondue Chinoise\n\n\n\n\n\nFrom $60.00\n\n\n\n\n\n_Share this event: 2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐)__Save this event: 2025 GDC Chinese Gaming Industry Gathering (2025 GDC火锅聚餐)_\n\n- [![GDC 2025 Industry After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F455499359%2F271122442446%2F1%2Foriginal.20230227-085916?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C0%2C2160%2C1080&s=2747d3cd05136e248aa4d48fbd640361)](https://www.eventbrite.com/e/gdc-2025-industry-after-party-tickets-1248205278589?aff=ebdssbdestsearch)\n\n[**GDC 2025 Industry After Party**](https://www.eventbrite.com/e/gdc-2025-industry-after-party-tickets-1248205278589?aff=ebdssbdestsearch)\n\nTomorrow • 9:00 PM\n\n\n\nTemple Nightclub San Francisco\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n\n\nLevel Up Events\n\n\n\n375 followers\n\n\n\n_Save this event: GDC 2025 Industry After Party__Share this event: GDC 2025 Industry After Party_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![GDC 2025 Industry After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F455499359%2F271122442446%2F1%2Foriginal.20230227-085916?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C0%2C2160%2C1080&s=2747d3cd05136e248aa4d48fbd640361)](https://www.eventbrite.com/e/gdc-2025-industry-after-party-tickets-1248205278589?aff=ebdssbdestsearch)\n\n[**GDC 2025 Industry After Party**](https://www.eventbrite.com/e/gdc-2025-industry-after-party-tickets-1248205278589?aff=ebdssbdestsearch)\n\nTomorrow • 9:00 PM\n\n\n\nTemple Nightclub San Francisco\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n_Share this event: GDC 2025 Industry After Party__Save this event: GDC 2025 Industry After Party_\n\n- [![GDC Power Up Mixer + After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F955239653%2F271122442446%2F1%2Foriginal.20250207-132617?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=3ec5480a1b9d3a67f7a87025d56d4aaf)](https://www.eventbrite.com/e/gdc-power-up-mixer-after-party-tickets-1242024451569?aff=ebdssbdestsearch)\n\n[**GDC Power Up Mixer + After Party**](https://www.eventbrite.com/e/gdc-power-up-mixer-after-party-tickets-1242024451569?aff=ebdssbdestsearch)\n\nTomorrow • 5:00 PM\n\n\n\nThe Media Room\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n\n\nLevel Up Events\n\n\n\n375 followers\n\n\n\n_Save this event: GDC Power Up Mixer + After Party__Share this event: GDC Power Up Mixer + After Party_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![GDC Power Up Mixer + After Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F955239653%2F271122442446%2F1%2Foriginal.20250207-132617?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.5&fp-y=0.5&s=3ec5480a1b9d3a67f7a87025d56d4aaf)](https://www.eventbrite.com/e/gdc-power-up-mixer-after-party-tickets-1242024451569?aff=ebdssbdestsearch)\n\n[**GDC Power Up Mixer + After Party**](https://www.eventbrite.com/e/gdc-power-up-mixer-after-party-tickets-1242024451569?aff=ebdssbdestsearch)\n\nTomorrow • 5:00 PM\n\n\n\nThe Media Room\n\n\n\n\n\nFrom $23.18\n\n\n\n\n\n_Share this event: GDC Power Up Mixer + After Party__Save this event: GDC Power Up Mixer + After Party_\n\n- [![MINDSHOP™| Gamify Health Apps for Robust User Engagement primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F463264499%2F262347974128%2F1%2Foriginal.20230107-200846?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C15%2C1200%2C600&s=7debf6021532c7e2297b76ce70471cb5)](https://www.eventbrite.com/e/mindshoptm-gamify-health-apps-for-robust-user-engagement-tickets-576436867187?aff=ebdssbdestsearch)\n\n[**MINDSHOP™\\| Gamify Health Apps for Robust User Engagement**](https://www.eventbrite.com/e/mindshoptm-gamify-health-apps-for-robust-user-engagement-tickets-576436867187?aff=ebdssbdestsearch)\n\nTomorrow • 6:00 PM + 95 more\n\n\n\nMindshop Online Classroom\n\n\n\n\n\nFrom $57.55\n\n\n\n\n\n\n\nKat Usop, MSHI\n\n\n\n19.2k followers\n\n\n\n_Save this event: MINDSHOP™\\| Gamify Health Apps for Robust User Engagement__Share this event: MINDSHOP™\\| Gamify Health Apps for Robust User Engagement_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![MINDSHOP™| Gamify Health Apps for Robust User Engagement primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F463264499%2F262347974128%2F1%2Foriginal.20230107-200846?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C15%2C1200%2C600&s=7debf6021532c7e2297b76ce70471cb5)](https://www.eventbrite.com/e/mindshoptm-gamify-health-apps-for-robust-user-engagement-tickets-576436867187?aff=ebdssbdestsearch)\n\n[**MINDSHOP™\\| Gamify Health Apps for Robust User Engagement**](https://www.eventbrite.com/e/mindshoptm-gamify-health-apps-for-robust-user-engagement-tickets-576436867187?aff=ebdssbdestsearch)\n\nTomorrow • 6:00 PM + 95 more\n\n\n\nMindshop Online Classroom\n\n\n\n\n\nFrom $57.55\n\n\n\n\n\n_Share this event: MINDSHOP™\\| Gamify Health Apps for Robust User Engagement__Save this event: MINDSHOP™\\| Gamify Health Apps for Robust User Engagement_\n\n\n\n\n\nView 3 similar results\n\n- [![GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F983250083%2F1661696869943%2F1%2Foriginal.20250313-194755?crop=focalpoint&fit=crop&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.476897689769&fp-y=0.804597701149&s=f61d5e561f3b13cd162f47f3517dde6e)](https://www.eventbrite.com/e/gdc-2025-nerdcity-game-mode-on-after-party-tickets-1281233647329?aff=ebdssbdestsearch)\n\n[**GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY**](https://www.eventbrite.com/e/gdc-2025-nerdcity-game-mode-on-after-party-tickets-1281233647329?aff=ebdssbdestsearch)\n\nTomorrow • 6:00 PM\n\n\n\nBuzzWorks\n\n\n\n\n\nFrom $12.51\n\n\n\n_Save this event: GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY__Share this event: GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F983250083%2F1661696869943%2F1%2Foriginal.20250313-194755?crop=focalpoint&fit=crop&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.476897689769&fp-y=0.804597701149&s=f61d5e561f3b13cd162f47f3517dde6e)](https://www.eventbrite.com/e/gdc-2025-nerdcity-game-mode-on-after-party-tickets-1281233647329?aff=ebdssbdestsearch)\n\n[**GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY**](https://www.eventbrite.com/e/gdc-2025-nerdcity-game-mode-on-after-party-tickets-1281233647329?aff=ebdssbdestsearch)\n\nTomorrow • 6:00 PM\n\n\n\nBuzzWorks\n\n\n\n\n\nFrom $12.51\n\n\n\n\n\n_Share this event: GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY__Save this event: GDC 2025 NERDCITY: GAME MODE ON AFTER PARTY_\n\n- [![CarrierCon 2025 primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F891346333%2F40599517072%2F1%2Foriginal.20241104-173444?w=309&auto=format%2Ccompress&q=75&sharp=10&s=10d0a115b9f88d2da75f376b322add36)](https://www.eventbrite.com/e/carriercon-2025-tickets-969373691807?aff=ebdssbdestsearch)\n\n[**CarrierCon 2025**](https://www.eventbrite.com/e/carriercon-2025-tickets-969373691807?aff=ebdssbdestsearch)\n\nSaturday • 10:00 AM\n\n\n\nUSS Hornet Museum\n\n\n\n\n\nFrom $28.27\n\n\n\n\n\n\n\nUSS Hornet Sea, Air & Space Museum\n\n\n\n1k followers\n\n\n\n_Save this event: CarrierCon 2025__Share this event: CarrierCon 2025_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![CarrierCon 2025 primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F891346333%2F40599517072%2F1%2Foriginal.20241104-173444?w=309&auto=format%2Ccompress&q=75&sharp=10&s=10d0a115b9f88d2da75f376b322add36)](https://www.eventbrite.com/e/carriercon-2025-tickets-969373691807?aff=ebdssbdestsearch)\n\n[**CarrierCon 2025**](https://www.eventbrite.com/e/carriercon-2025-tickets-969373691807?aff=ebdssbdestsearch)\n\nSaturday • 10:00 AM\n\n\n\nUSS Hornet Museum\n\n\n\n\n\nFrom $28.27\n\n\n\n\n\n_Share this event: CarrierCon 2025__Save this event: CarrierCon 2025_\n\n- [![San Francisco Outdoor Escape Room for 2-6 players primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F677005119%2F1406978536043%2F1%2Foriginal.20240117-225357?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C0%2C4500%2C2250&s=8b8a08ec52554ecb58eac511cab2bddd)](https://www.eventbrite.com/e/san-francisco-outdoor-escape-room-for-2-6-players-tickets-568454722377?aff=ebdssbdestsearch)\n\n[**San Francisco Outdoor Escape Room for 2-6 players**](https://www.eventbrite.com/e/san-francisco-outdoor-escape-room-for-2-6-players-tickets-568454722377?aff=ebdssbdestsearch)\n\nTomorrow • 5:00 PM + 469 more\n\n\n\nFrom SOMA to Embarcadero\n\n\n\n\n\nFrom $64.80\n\n\n\n\n\n\n\nEscapely\n\n\n\n981 followers\n\n\n\n_Save this event: San Francisco Outdoor Escape Room for 2-6 players__Share this event: San Francisco Outdoor Escape Room for 2-6 players_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![San Francisco Outdoor Escape Room for 2-6 players primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F677005119%2F1406978536043%2F1%2Foriginal.20240117-225357?w=512&auto=format%2Ccompress&q=75&sharp=10&rect=0%2C0%2C4500%2C2250&s=8b8a08ec52554ecb58eac511cab2bddd)](https://www.eventbrite.com/e/san-francisco-outdoor-escape-room-for-2-6-players-tickets-568454722377?aff=ebdssbdestsearch)\n\n[**San Francisco Outdoor Escape Room for 2-6 players**](https://www.eventbrite.com/e/san-francisco-outdoor-escape-room-for-2-6-players-tickets-568454722377?aff=ebdssbdestsearch)\n\nTomorrow • 5:00 PM + 469 more\n\n\n\nFrom SOMA to Embarcadero\n\n\n\n\n\nFrom $64.80\n\n\n\n\n\n_Share this event: San Francisco Outdoor Escape Room for 2-6 players__Save this event: San Francisco Outdoor Escape Room for 2-6 players_\n\n- [![Playtest the Future - GDC Boardgame Test Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F988094613%2F2684618460341%2F1%2Foriginal.20250319-231958?w=400&auto=format%2Ccompress&q=75&sharp=10&s=775186a5a49d57c2017dc82c38952544)](https://www.eventbrite.com/e/playtest-the-future-gdc-boardgame-test-party-tickets-1291417457379?aff=ebdssbdestsearch)\n\n[**Playtest the Future - GDC Boardgame Test Party**](https://www.eventbrite.com/e/playtest-the-future-gdc-boardgame-test-party-tickets-1291417457379?aff=ebdssbdestsearch)\n\nTomorrow • 2:00 PM\n\n\n\n870 Market St ste 483\n\n\n\n\n\nFrom $4.51\n\n\n\n\n\nDemystify Studio\n\n_Save this event: Playtest the Future - GDC Boardgame Test Party__Share this event: Playtest the Future - GDC Boardgame Test Party_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![Playtest the Future - GDC Boardgame Test Party primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F988094613%2F2684618460341%2F1%2Foriginal.20250319-231958?w=400&auto=format%2Ccompress&q=75&sharp=10&s=775186a5a49d57c2017dc82c38952544)](https://www.eventbrite.com/e/playtest-the-future-gdc-boardgame-test-party-tickets-1291417457379?aff=ebdssbdestsearch)\n\n[**Playtest the Future - GDC Boardgame Test Party**](https://www.eventbrite.com/e/playtest-the-future-gdc-boardgame-test-party-tickets-1291417457379?aff=ebdssbdestsearch)\n\nTomorrow • 2:00 PM\n\n\n\n870 Market St ste 483\n\n\n\n\n\nFrom $4.51\n\n\n\n\n\n_Share this event: Playtest the Future - GDC Boardgame Test Party__Save this event: Playtest the Future - GDC Boardgame Test Party_\n\n- Sold Out\n\n\n\n[![Local Game Community Organizers GDC 2025 Mixer primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F983245693%2F247521304900%2F1%2Foriginal.20250313-194336?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=58e82e7afb28205ea7f055882d31b624)](https://www.eventbrite.com/e/local-game-community-organizers-gdc-2025-mixer-tickets-1264662021149?aff=ebdssbdestsearch)\n\n[**Local Game Community Organizers GDC 2025 Mixer**](https://www.eventbrite.com/e/local-game-community-organizers-gdc-2025-mixer-tickets-1264662021149?aff=ebdssbdestsearch)\n\nTomorrow • 12:30 PM\n\n\n\nBlack Hammer Brewing\n\n\n\n\n\nFree\n\n\n\n\n\n\n\nBit Bridge Indies\n\n\n\n89 followers\n\n\n\n_Save this event: Local Game Community Organizers GDC 2025 Mixer__Share this event: Local Game Community Organizers GDC 2025 Mixer_\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nSold Out\n\n\n\n[![Local Game Community Organizers GDC 2025 Mixer primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F983245693%2F247521304900%2F1%2Foriginal.20250313-194336?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.005&fp-y=0.005&s=58e82e7afb28205ea7f055882d31b624)](https://www.eventbrite.com/e/local-game-community-organizers-gdc-2025-mixer-tickets-1264662021149?aff=ebdssbdestsearch)\n\n[**Local Game Community Organizers GDC 2025 Mixer**](https://www.eventbrite.com/e/local-game-community-organizers-gdc-2025-mixer-tickets-1264662021149?aff=ebdssbdestsearch)\n\nTomorrow • 12:30 PM\n\n\n\nBlack Hammer Brewing\n\n\n\n\n\nFree\n\n\n\n\n\n_Share this event: Local Game Community Organizers GDC 2025 Mixer__Save this event: Local Game Community Organizers GDC 2025 Mixer_\n\n- [![Oshi on Deck primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F969226613%2F40599517072%2F1%2Foriginal.20250225-191428?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.532196969697&fp-y=0.473880597015&s=69f2426dea6a39812a86e63d065c4b8e)](https://www.eventbrite.com/e/oshi-on-deck-tickets-1259782917619?aff=ebdssbdestsearch)\n\n[**Oshi on Deck**](https://www.eventbrite.com/e/oshi-on-deck-tickets-1259782917619?aff=ebdssbdestsearch)\n\nSaturday • 8:00 PM\n\n\n\nUSS Hornet Museum\n\n\n\n\n\nFrom $44.02\n\n\n\n\n\n\n\nUSS Hornet Sea, Air & Space Museum\n\n\n\n1k followers\n\n\n\n_Save this event: Oshi on Deck__Share this event: Oshi on Deck_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![Oshi on Deck primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F969226613%2F40599517072%2F1%2Foriginal.20250225-191428?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.532196969697&fp-y=0.473880597015&s=69f2426dea6a39812a86e63d065c4b8e)](https://www.eventbrite.com/e/oshi-on-deck-tickets-1259782917619?aff=ebdssbdestsearch)\n\n[**Oshi on Deck**](https://www.eventbrite.com/e/oshi-on-deck-tickets-1259782917619?aff=ebdssbdestsearch)\n\nSaturday • 8:00 PM\n\n\n\nUSS Hornet Museum\n\n\n\n\n\nFrom $44.02\n\n\n\n\n\n_Share this event: Oshi on Deck__Save this event: Oshi on Deck_\n\n- [![SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F933779703%2F1884709959893%2F1%2Foriginal.20250112-212906?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.479690522244&fp-y=0.375244289734&s=bf8accb89bca1d75955485c0f1ad5af4)](https://www.eventbrite.com/e/sf-moma-friday-unwind-casual-meetup-with-avantbeetle-registration-1148821248279?aff=ebdssbdestsearch)\n\n[**SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle**](https://www.eventbrite.com/e/sf-moma-friday-unwind-casual-meetup-with-avantbeetle-registration-1148821248279?aff=ebdssbdestsearch)\n\nFriday • 2:00 PM\n\n\n\nSan Francisco Museum of Modern Art\n\n\n\n\n\nFrom $0.00\n\n\n\n_Save this event: SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle__Share this event: SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle_\n\n\n\n\n\n\n\n\n\n\n\n\n\n[![SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle primary image](https://img.evbuc.com/https%3A%2F%2Fcdn.evbuc.com%2Fimages%2F933779703%2F1884709959893%2F1%2Foriginal.20250112-212906?crop=focalpoint&fit=crop&w=512&auto=format%2Ccompress&q=75&sharp=10&fp-x=0.479690522244&fp-y=0.375244289734&s=bf8accb89bca1d75955485c0f1ad5af4)](https://www.eventbrite.com/e/sf-moma-friday-unwind-casual-meetup-with-avantbeetle-registration-1148821248279?aff=ebdssbdestsearch)\n\n[**SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle**](https://www.eventbrite.com/e/sf-moma-friday-unwind-casual-meetup-with-avantbeetle-registration-1148821248279?aff=ebdssbdestsearch)\n\nFriday • 2:00 PM\n\n\n\nSan Francisco Museum of Modern Art\n\n\n\n\n\nFrom $0.00\n\n\n\n\n\n_Share this event: SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle__Save this event: SF MOMA 'Friday Unwind': Casual Meetup with AvantBeetle_\n\n\nView map\n\n[**Things to do around San Francisco**](https://www.eventbrite.com/ttd/ca--san-francisco/)\n\n[Things to do in Sacramento](https://www.eventbrite.com/ttd/ca--sacramento/) [Explore Things to do in Sacramento](https://www.eventbrite.com/ttd/ca--sacramento/)\n\n[Things to do in San Jose](https://www.eventbrite.com/ttd/ca--san-jose/) [Explore Things to do in San Jose](https://www.eventbrite.com/ttd/ca--san-jose/)\n\n[Things to do in Oakland](https://www.eventbrite.com/ttd/ca--oakland/) [Explore Things to do in Oakland](https://www.eventbrite.com/ttd/ca--oakland/)\n\n[Things to do in Berkeley](https://www.eventbrite.com/ttd/ca--berkeley/) [Explore Things to do in Berkeley](https://www.eventbrite.com/ttd/ca--berkeley/)\n\n[Things to do in Modesto](https://www.eventbrite.com/ttd/ca--modesto/) [Explore Things to do in Modesto](https://www.eventbrite.com/ttd/ca--modesto/)\n\n[Things to do in Santa Clara](https://www.eventbrite.com/ttd/ca--santa-clara/) [Explore Things to do in Santa Clara](https://www.eventbrite.com/ttd/ca--santa-clara/)\n\n[Things to do in Santa Rosa](https://www.eventbrite.com/ttd/ca--santa-rosa/) [Explore Things to do in Santa Rosa](https://www.eventbrite.com/ttd/ca--santa-rosa/)\n\n[Things to do in Napa](https://www.eventbrite.com/ttd/ca--napa/) [Explore Things to do in Napa](https://www.eventbrite.com/ttd/ca--napa/)\n\n[Things to do in Sunnyvale](https://www.eventbrite.com/ttd/ca--sunnyvale/) [Explore Things to do in Sunnyvale](https://www.eventbrite.com/ttd/ca--sunnyvale/)\n\n[Things to do in Alameda](https://www.eventbrite.com/ttd/ca--alameda/) [Explore Things to do in Alameda](https://www.eventbrite.com/ttd/ca--alameda/)\n\n[Things to do in Stockton](https://www.eventbrite.com/ttd/ca--stockton/) [Explore Things to do in Stockton](https://www.eventbrite.com/ttd/ca--stockton/)\n\n[Things to do in Concord](https://www.eventbrite.com/ttd/ca--concord/) [Explore Things to do in Concord](https://www.eventbrite.com/ttd/ca--concord/)\n\n## [Trends in San Francisco](https://www.eventbrite.com/trending/searches/ca--san-francisco/)\n\n[Explore more trends](https://www.eventbrite.com/trending/searches/ca--san-francisco/)\n\n[**1. March**](https://www.eventbrite.com/d/ca--san-francisco/march/)\n\n[**2. Bay area**](https://www.eventbrite.com/d/ca--san-francisco/bay-area/)\n\n[**3. St patrick day**](https://www.eventbrite.com/d/ca--san-francisco/st-patrick-day/)\n\n[**4. Rave events**](https://www.eventbrite.com/d/ca--san-francisco/rave-events/)\n\n[**5. St patricks day**](https://www.eventbrite.com/d/ca--san-francisco/st-patricks-day/)\n\n[**6. Live music**](https://www.eventbrite.com/d/ca--san-francisco/live-music/)\n\n[**7. Concerts**](https://www.eventbrite.com/d/ca--san-francisco/concerts/)\n\n[**8. April**](https://www.eventbrite.com/d/ca--san-francisco/april/)\n\n[**9. Stand up comedy**](https://www.eventbrite.com/d/ca--san-francisco/stand-up-comedy/)\n\n[**10. Gdc**](https://www.eventbrite.com/d/ca--san-francisco/gdc/)\n\n[**11. Gdc party**](https://www.eventbrite.com/d/ca--san-francisco/gdc-party/)\n\n[**12. Womens history month**](https://www.eventbrite.com/d/ca--san-francisco/womens-history-month/)\n\n[Explore more trends](https://www.eventbrite.com/trending/searches/ca--san-francisco/)\n\n![](https://bat.bing.com/action/0?ti=5010911&tm=gtm002&Ver=2&mid=f03835d4-6ba9-4641-aedf-30b75d1c67c9&bo=1&sid=10e56310053411f0a9bd6fa0975a8d9b&vid=10e58890053411f0bb5ddfc10ea8658e&vids=1&msclkid=N&pi=918639831&lg=en-US&sw=1280&sh=720&sc=16&tl=Discover%20Gaming%20Events%20%26%20Activities%20in%20San%20Francisco,%20CA%20%7C%20Eventbrite&p=https%3A%2F%2Fwww.eventbrite.com%2Fd%2Fca--san-francisco%2Fgaming%2F&r=<=13824&evt=pageLoad&sv=1&cdb=AQAA&rn=299947)\n\n![](https://www.ojrq.net/p/?return=&cid=21676&tpsync=no&auth=)", links=None, screenshot=None)

Step 10: Display the results

Finally, we'll display the formatted results from our agent. The response is already in markdown format, making it easy to read and navigate. This allows users to quickly scan the list of events and find those that interest them most.

from IPython.display import Markdown, display
if response is not None:
display(Markdown(response))
else:
print("No events found")

Here are some gaming events happening in San Francisco:

1. Bayview Game Fest

  • Description: Join for an engaging game fest in the Bayview area.

  • Location: 4705 3rd St

  • Date: Saturday

  • Time: 12:00 PM

  • More Info & Tickets

  • Image

2. GDC 2025 Mixer + After Party

  • Description: Attend the mixer and after party during GDC 2025.

  • Location: Temple Nightclub San Francisco

  • Date: Tomorrow

  • Time: 5:30 PM

  • Price: From $23.18

  • More Info & Tickets

  • Image

3. First Thursdays at Better Sunday: Retro Game Night

  • Description: Engage in retro gaming every first Thursday at Better Sunday.

  • Location: Better Sunday - A Feel Good Bottle Shop & Social Club

  • Date: Thu, Apr 3

  • Time: 6:00 PM

  • Price: Free

  • More Info & Tickets

  • Image

4. Gamera Games Indie Party @ GDC

  • Description: Join the Indie Party for indie game developers during GDC.

  • Location: 540 Howard St

  • Date: Friday

  • Time: 5:00 PM

  • Price: Free

  • More Info & Tickets

  • Image

5. D&D 8-week Campaigns for teens (ages 12-18) at SF Public Library

  • Description: Participate in an 8-week D&D campaign for teens at the public library.

  • Location: The Mix at SFPL (Main Library)

  • Date: Sunday

  • Time: 12:30 PM

  • Price: Free

  • More Info & Tickets

  • Image

6. Youth Super Smash Bros Night

  • Description: Participate in a Super Smash Bros night for youth at the SF LGBT Center.

  • Location: 1800 Market St

  • Date: Tuesday

  • Time: 5:00 PM

  • Price: Free

  • More Info & Tickets

  • Image

These events provide a wide range of opportunities to engage in gaming activities in San Francisco. Let me know if you would like more information on any specific event!

Conclusion

In this cookbook, we built a powerful events finder using Hyperbrowser and GPT-4o. This agent can:

  1. Automatically search for events in any city worldwide
  2. Extract and structure information about each event
  3. Filter events based on user interests
  4. Present results in a clean, readable format

This pattern can be extended to create more sophisticated event discovery tools, such as:

  • Event finders for specific types of events (concerts, workshops, etc.)
  • Personalized event recommendations based on user preferences
  • Multi-platform event aggregation from various sources

Next Steps

To take this further, you might consider:

  • Adding support for date-based filtering
  • Implementing price range filtering
  • Creating a web interface for easier interaction
  • Extending to multiple event platforms beyond Eventbrite
  • Adding calendar integration for saving interesting events

Happy event hunting! 🎉