The Model Context Protocol (MCP) was introduced and open-sourced by Anthropic in November 2024. It enables large language models to interact with external tools and data sources. With MCP, you no longer need to copy model output and run it manually—the model can instruct tools to perform actions directly.
The OceanBase MCP Server uses MCP to let LLMs work with OceanBase Database: they can run SQL on your behalf. Together with an MCP-capable client, you can quickly prototype applications. The server is open source on GitHub.
Trae is an IDE that supports MCP Server integration. Download the latest version from the official site.
This topic shows how to integrate the OceanBase MCP Server with Trae IDE to build a backend application quickly.
Prerequisites
You have deployed OceanBase Database and created a MySQL-compatible tenant. For details, see Create a tenant.
You have Python 3.11 or later and pip installed. If your system Python is older, use Miniconda to create a Python 3.11+ environment.
You have Git installed for your OS.
You have the Python package manager uv installed. Verify with:
pip install uv uv --versionYou have downloaded and installed Trae IDE for your operating system.
Step 1: Get database connection details
Obtain the database connection string from your OceanBase deployment team or administrator. For example:
obclient -h$host -P$port -u$user_name -p$password -D$database_name
Parameters:
$host: The IP for connecting to OceanBase. Use an ODP address when connecting via OceanBase Database Proxy (ODP), or an OBServer IP for direct connection.$port: The connection port. ODP default is2883(configurable at deploy time). Direct connection default is2881.$database_name: The database to use.Notice
The user connecting to the tenant must have
CREATE,INSERT,DROP, andSELECTprivileges on that database. For more on privileges, see Privilege types in MySQL-compatible mode.$user_name: The tenant account. ODP formats:username@tenant#clusterorcluster:tenant:username. Direct:username@tenant.$password: The account password.
For more on connection strings, see Connect to an OceanBase tenant by using OBClient.
Step 2: Configure the OceanBase MCP Server
Clone the OceanBase MCP Server repository
Download the source to your machine:
git clone https://github.com/oceanbase/mcp-oceanbase.git
Change into the project directory:
cd mcp-oceanbase
Install dependencies
From the mcp-oceanbase directory, create a virtual environment and install dependencies:
uv venv
source .venv/bin/activate
uv pip install .
Create a Trae project directory
Create a folder for your Trae project and open it in Trae. Generated files will be placed here (e.g. trae-generate).
Configure the OceanBase MCP Server in Trae
Open the chat panel with Ctrl + U (Windows) or Command + U (macOS). Click the gear icon in the top-right and select MCP.
Add and configure MCP servers
Click Add MCP Servers and choose Manual configuration.
Replace the sample content in the editor with the configuration below (replace placeholders as described).
{ "mcpServers": { "oceanbase": { "command": "uv", "args": [ "--directory", "/path/to/your/mcp-oceanbase/src/oceanbase_mcp_server", "run", "oceanbase_mcp_server" ], "env": { "OB_HOST": "***", "OB_PORT": "***", "OB_USER": "***", "OB_PASSWORD": "***", "OB_DATABASE": "***" } } } }Replace
/path/to/your/mcp-oceanbase/src/oceanbase_mcp_serverwith the absolute path to theoceanbase_mcp_serverfolder, and setOB_HOST,OB_PORT,OB_USER,OB_PASSWORD, andOB_DATABASEto your OceanBase connection details.When configuration is successful, the server shows as Available.
Test the MCP Server
Select the Builder with MCP agent.
In the chat, ask: How many tables are in the test database? Trae will show the SQL it plans to run. Review it and click Run to execute.
Trae will list the tables in the
testdatabase, confirming that the connection to OceanBase is working.
Build a RESTful API with FastAPI
You can use FastAPI to quickly create a REST-style API. FastAPI is a Python web framework well-suited for building APIs.
Create the customer table.
In the chat, prompt: Create a customer table with primary key ID and columns name, age, telephone, and location. Confirm the generated SQL and click Run.
Insert test data.
Prompt: Insert 10 rows into the customer table. Confirm the SQL and click Run.
Create the FastAPI project.
Prompt: Create a FastAPI project that exposes a RESTful API for the customer table. Confirm and click Run.
This step generates three files. For a first run, accepting all generated content is recommended; you can adjust it later as needed.
Create a virtual environment and install dependencies.
In the project directory, run:
uv venv source .venv/bin/activate uv pip install -r requirements.txtStart the FastAPI app.
uvicorn main:app --reloadQuery the API.
From a terminal or any HTTP client:
curl http://127.0.0.1:8000/customersYou should see JSON with the customer records. The generated code implements full CRUD over the
customertable:from fastapi import FastAPI from pydantic import BaseModel import mysql.connector app = FastAPI() # Database connection config config = { 'user': '*******', 'password': '******', 'host': 'xx.xxx.xxx.xx', 'database': 'test', 'port':xxxx, 'raise_on_warnings': True } class Customer(BaseModel): id: int name: str age: int telephone: str location: str @app.get('/customers') async def get_customers(): cnx = mysql.connector.connect(**config) cursor = cnx.cursor(dictionary=True) query = 'SELECT * FROM customer' cursor.execute(query) results = cursor.fetchall() cursor.close() cnx.close() return results @app.get('/customers/{customer_id}') async def get_customer(customer_id: int): cnx = mysql.connector.connect(**config) cursor = cnx.cursor(dictionary=True) query = 'SELECT * FROM customer WHERE ID = %s' cursor.execute(query, (customer_id,)) result = cursor.fetchone() cursor.close() cnx.close() return result @app.post('/customers') async def create_customer(customer: Customer): cnx = mysql.connector.connect(**config) cursor = cnx.cursor() query = 'INSERT INTO customer (ID, name, age, telephone, location) VALUES (%s, %s, %s, %s, %s)' data = (customer.id, customer.name, customer.age, customer.telephone, customer.location) cursor.execute(query, data) cnx.commit() cursor.close() cnx.close() return {'message': 'Customer created successfully'} @app.put('/customers/{customer_id}') async def update_customer(customer_id: int, customer: Customer): cnx = mysql.connector.connect(**config) cursor = cnx.cursor() query = 'UPDATE customer SET name = %s, age = %s, telephone = %s, location = %s WHERE ID = %s' data = (customer.name, customer.age, customer.telephone, customer.location, customer_id) cursor.execute(query, data) cnx.commit() cursor.close() cnx.close() return {'message': 'Customer updated successfully'} @app.delete('/customers/{customer_id}') async def delete_customer(customer_id: int): cnx = mysql.connector.connect(**config) cursor = cnx.cursor() query = 'DELETE FROM customer WHERE ID = %s' cursor.execute(query, (customer_id,)) cnx.commit() cursor.close() cnx.close() return {'message': 'Customer deleted successfully'}