DEV Community

xbill for Google Developer Experts

Posted on • Originally published at xbill999.Medium on

MCP Development with Lisp, Cloud Run, and Gemini CLI

Leveraging Gemini CLI and the underlying Gemini LLM to build Model Context Protocol (MCP) AI applications with the Lisp language deployed to Google Cloud Run.

Why not just use Python?

Python has traditionally been the main coding language for ML and AI tools. One of the strengths of the MCP protocol is that the actual implementation details are independent of the development language. The reality is that not every project is coded in Python- and MCP allows you to use the latest AI approaches with other coding languages.

LISP? That Alien Programming Language works with MCP?

The goal of this article is to provide a minimal viable basic working MCP HTTP transport server in LISP that can be run locally without any unneeded extra code or extensions.

Not a fan of functional programming?

It takes all kinds. The bottom line is different strokes for different folks and the tools can meet you where you are. The Internet has gotten over the Emacs vs Vi flame wars.

Lisp Native MCP Library

There are several available Lisp libraries in GitHub. The Lisp MCP library used in this demo/article is here:

GitHub - 40ants/mcp: 40ANTS-MCP is a framework for building Model Context Protocol servers in Common Lisp

What Is Lisp?

Lisp (historically LISP) is a family of programming languages that is the second-oldest high-level language still in widespread use (after Fortran), known for its unique syntax where both code and data are represented as lists. Its name is an acronym for “LISt Processing”.

Official Common Lisp Site

There are a few sites with Lisp resources. This site is a good starting point:

Common Lisp

Installing Lisp

Lisp comes with a whole eco-system including tooling, utilities, and build management.

There are a few common interpreters. For ease of installation — the Steel Bank Common Lisp variant was used:

Steel Bank Common Lisp

This tool comes standard in most Linux distributions. For a basic Debian 12 installation:

sudo apt-get update
sudo apt-get install sbcl
Enter fullscreen mode Exit fullscreen mode

Then check the installation:

xbill@penguin:~$ sbcl --version
SBCL 2.2.9.debian
Enter fullscreen mode Exit fullscreen mode

Lisp Eco-System

The main components of the Lisp eco-system include:

ASDF

ASDF provides a basic build manager for Lisp:

ASDF - Another System Definition Facility

Quicklisp

Quicklisp allows for automated setup and configuration for your Lisp packages:

Quicklisp beta

Gemini CLI

If not pre-installed you can download the Gemini CLI to interact with the source files and provide real-time assistance:

npm install -g @google/gemini-cli
Enter fullscreen mode Exit fullscreen mode

Testing the Gemini CLI Environment

Once you have all the tools and the correct Node.js version in place- you can test the startup of Gemini CLI. You will need to authenticate with a Key or your Google Account:

gemini
Enter fullscreen mode Exit fullscreen mode

Node Version Management

Gemini CLI needs a consistent, up to date version of Node. The nvm command can be used to get a standard Node environment:

GitHub - nvm-sh/nvm: Node Version Manager - POSIX-compliant bash script to manage multiple active node.js versions

Lisp MCP Documentation

The official MCP Lisp page provides samples and documentation for getting started:

mcp/docs at master · 40ants/mcp

Where do I start?

The strategy for starting MCP development is a incremental step by step approach.

First, the basic development environment is setup with the required system variables, and a working Gemini CLI configuration.

Then, a minimal Hello World Style Lisp MCP Server is built with HTTP transport. This server is validated with Gemini CLI in the local environment.

This setup validates the connection from Gemini CLI to the local process via MCP. The MCP client (Gemini CLI) and the MCP server both run in the same local environment.

Next- the basic MCP server is Containerized and deployed to Google Cloud Run. This remote MCP installation is validated with the local Gemini CLI running as a MCP client.

Setup the Basic Environment

At this point you should have a working C build environment, Lisp tools, and a working Gemini CLI installation. The next step is to clone the GitHub samples repository with support scripts:

cd ~
git clone https://github.com/xbill9/gemini-cli-codeassist
Enter fullscreen mode Exit fullscreen mode

Then run init.sh from the cloned directory.

The script will attempt to determine your shell environment and set the correct variables:

cd gemini-cli-codeassist
source init.sh
Enter fullscreen mode Exit fullscreen mode

If your session times out or you need to re-authenticate- you can run the set_env.sh script to reset your environment variables:

cd gemini-cli-codeassist
source set_env.sh
Enter fullscreen mode Exit fullscreen mode

Variables like PROJECT_ID need to be setup for use in the various build scripts- so the set_env script can be used to reset the environment if you time-out.

Hello World with HTTP Transport

One of the key features that the standard MCP libraries provide is abstracting various transport methods.

The high level MCP tool implementation is the same no matter what low level transport channel/method that the MCP Client uses to connect to a MCP Server.

The simplest transport that the SDK supports is the stdio (stdio/stdout) transport — which connects a locally running process. Both the MCP client and MCP Server must be running in the same environment.

The HTTP transport allows the MCP client and server to be on the same machine or distributed over the Internet.

The connection over HTTP will look similar to this:

(in-package :40ants-mcp/http-transport)

(setf *sse-handler* (clack-sse:serve-sse 'sse-stream-writer))

(defmethod 40ants-mcp/transport/base:start-loop ((transport http-transport) message-handler)
  "Start the HTTP server and begin processing requests.
   Monkey-patched to listen on 0.0.0.0 for Cloud Run."
  (log:info "Starting HTTP transport on port" (transport-port transport))
  (setf (transport-message-handler transport) message-handler)

  ;; Start the server
  (setf (transport-server transport)
        (clack:clackup (transport-lack-app transport)
                       :server :hunchentoot
                       :address "0.0.0.0"
                       :port (transport-port transport)
                       :use-thread nil)))
Enter fullscreen mode Exit fullscreen mode

Lisp Package Information

The code depends on several standard libraries for MCP and logging:

(defpackage :mcp-server
  (:use :cl)
  (:import-from :40ants-mcp/tools
                :define-tool)
  (:import-from :40ants-mcp/server/definition
                :start-server
                :mcp-server)
  (:export :main
           :get-greeting))
Enter fullscreen mode Exit fullscreen mode

Installing and Running the Code

Run the install make release target on the local system:

mxbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ make deps
2 dists to check.
You already have the latest version of "quicklisp": 2026-01-01.
You already have the latest version of "ultralisp": 20260118004500.
To load "jsonrpc":
  Load 1 ASDF system:
    jsonrpc
; Loading "jsonrpc"
.
To load "40ants-mcp":
  Load 1 ASDF system:
    40ants-mcp
; Loading "40ants-mcp"
..................................................
......
To load "serapeum":
  Load 1 ASDF system:
    serapeum
; Loading "serapeum"

To load "yason":
  Load 1 ASDF system:
    yason
; Loading "yason"

To load "local-time":
  Load 1 ASDF system:
    local-time
; Loading "local-time"

Dependencies installed successfully.
Enter fullscreen mode Exit fullscreen mode

A binary is generated at the end of the process:

xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ make
Building mcp-server...
To load "mcp-https-lisp":
  Load 1 ASDF system:
    mcp-https-lisp
; Loading "mcp-https-lisp"
..................................................
..................................................
[package mcp-server]...
xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ 
Enter fullscreen mode Exit fullscreen mode

To test the code:

xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ make test
To load "mcp-https-lisp/tests":
  Load 1 ASDF system:
    mcp-https-lisp/tests
; Loading "mcp-https-lisp/tests"
..................................................
..................................................
[package mcp-server-tests].

Testing System mcp-https-lisp/tests

;; testing 'mcp-server-tests'
test-greeting
  should return a valid greeting
    ✓ Expect (STRING= (GET-GREETING "World") "Hello, World!") to be true.
    ✓ Expect (STRING= (GET-GREETING "Lisp") "Hello, Lisp!") to be true.

✓ 1 test completed

Summary:
  All 1 test passed.
Enter fullscreen mode Exit fullscreen mode

Start the Local MCP Server

Open a terminal window and kick off the local MCP server:

xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ make run
To load "mcp-https-lisp":
  Load 1 ASDF system:
    mcp-https-lisp
; Loading "mcp-https-lisp"
..................................................
........
{"timestamp":"2026-1-20T17:59:41.348940EST","level":"INFO","message":"Starting MCP server on port 8080..."}
 <INFO> [17:59:41] 40ants-mcp/server/definition definition.lisp (start-server) -
  Starting MCP server with 40ANTS-MCP/SERVER/DEFINITION::TRANSPORT: :HTTP
  transport and tools 40ANTS-MCP/SERVER/DEFINITION::TOOLS-COLLECTIONS: #<MCP-SERVER::USER-TOOLS {1006C7A393}>

 <INFO> [17:59:41] 40ants-mcp/http-transport main.lisp (start-loop http-transport) -
  Starting HTTP transport on port (40ANTS-MCP/HTTP-TRANSPORT:TRANSPORT-PORT
                                   40ANTS-MCP/HTTP-TRANSPORT::TRANSPORT): 8080

Hunchentoot server is going to start.
Listening on 0.0.0.0:8080.
NOTICE: Running in debug mode. Debugger will be invoked on errors.
  Specify ':debug nil' to turn it off on remote environments.
Enter fullscreen mode Exit fullscreen mode

Gemini CLI Settings for the Local HTTP server

The sample .gemini/settings.json.https has been pre-built with a local connection:

{
  "mcpServers": {
    "mcp-https-lisp": {
      "url": "http://127.0.0.1:8080/mcp"
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

MCP Client Connection Test

Next- open another window and start Gemini CLI. The local MCP connection over HTTP to the Lisp Code is validated and the full Gemini CLI session will start:

> /mcp list

Configured MCP servers:

🟢 mcp-https-lisp - Ready (2 tools)
  Tools:
  - add
  - greet

> greet Weird Alien!

✦ I will call the greet tool for you.
╭──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╮
│ ✓ greet (mcp-https-lisp MCP Server) {"param":"Weird Alien!"} │
│ │
│ Hello, Weird Alien!! │
╰──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╯
✦ Hello, Weird Alien!!

> sum the first two perfect numbers

✦ I will use the add tool to sum the first two perfect numbers (6 and 28).
╭──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╮
│ ✓ add (mcp-https-lisp MCP Server) {"b":28,"a":6} │
│ │
│ The sum of 6 and 28 is: 34 │
╰──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╯
✦ The sum of the first two perfect numbers (6 and 28) is 34.
Enter fullscreen mode Exit fullscreen mode

And the Key Question:

> can I determine if all your bases belong to us via symbolic lisp programming?

✦ Yes, in Common Lisp, the ownership of bases can be symbolically verified with a simple predicate.

   1 (defun verify-ownership (bases)
   2 (declare (ignore bases))
   3 (format t "All your base are belong to us."))
   4 
   5 ;; Usage
   6 (verify-ownership 'all)

Enter fullscreen mode Exit fullscreen mode

Deploying to Cloud Run

After the HTTP version of the MCP server has been tested locally — it can be deployed remotely to Google Cloud Run.

First- switch to the directory with the HTTP MCP sample code:

cd ~/gemini-cli-codeassist/mcp-https-lisp
Enter fullscreen mode Exit fullscreen mode

Deploy the project to Google Cloud Run with the pre-built cloudbuild.yaml and Dockerfile:

cd ~/gemini-cli-codeassist/mcp-https-lisp
xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ make deploy
Enter fullscreen mode Exit fullscreen mode

The Cloud Build will start:

xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ make deploy
echo "Submitting build to Google Cloud Build..."
Submitting build to Google Cloud Build...
gcloud builds submit . --config cloudbuild.yaml
Creating temporary archive of 25 file(s) totalling 85.1 KiB before compression.
Some files were not included in the source upload.

Check the gcloud log [/home/xbill/.config/gcloud/logs/2026.01.20/18.18.42.784862.log] to see which files and the contents of the
default gcloudignore file used (see `$ gcloud topic gcloudignore` to learn
more).

Uploading tarball of [.] to [gs://comglitn_cloudbuild/source/1768951123.007661-372db85df2d14bd5b216df10248748fe.tgz]
Created [https://cloudbuild.googleapis.com/v1/projects/comglitn/locations/global/builds/28781173-a7bc-4de3-a9b5-3b5e04fb128b].
Logs are available at [https://console.cloud.google.com/cloud-build/builds/28781173-a7bc-4de3-a9b5-3b5e04fb128b?project=1056842563084].
Waiting for build to complete. Polling interval: 1 second(s).
Enter fullscreen mode Exit fullscreen mode

It can take 15–30 minutes to complete the build.

The cloud build needs to pull in all the Lisp libraries in the build environment and generate the entire package from scratch.

When the build is complete- an endpoint will be returned:

Starting Step #1
Step #1: Already have image (with digest): gcr.io/cloud-builders/gcloud
Step #1: Deploying container to Cloud Run service [mcp-https-lisp] in project [comglitn] region [us-central1]
Step #1: Deploying...
Step #1: Setting IAM Policy...........done
Step #1: Creating Revision........................................................................................done
Step #1: Routing traffic.....done
Step #1: Done.
Step #1: Service [mcp-https-lisp] revision [mcp-https-lisp-00006-wrj] has been deployed and is serving 100 percent of traffic.
Step #1: Service URL: https://mcp-https-lisp-1056842563084.us-central1.run.app
Finished Step #1
PUSH │
Enter fullscreen mode Exit fullscreen mode

The service endpoint in this example is :

https://mcp-https-lisp-1056842563084.us-central1.run.app
Enter fullscreen mode Exit fullscreen mode

The actual endpoint will vary based on your project settings.

Review The Service in Cloud Run

Navigate to the Google Cloud console and search for Cloud Run -

and then you can detailed information on the Cloud Run Service:

Cloud Logging

The remote server writes logs to stderr in standard JSON format. These logs are available from the deployed Cloud Run Service:

Validate HTTP connection

Once you have the Endpoint — you can attempt a connection- navigate to in your browser:

https://mcp-https-lisp-1056842563084.us-central1.run.app
Enter fullscreen mode Exit fullscreen mode

You will need to adjust the exact URL to match the URL returned from Cloud Build.

You will get an error- this connection is expecting a message in the MCP format:

Page Not Found
Enter fullscreen mode Exit fullscreen mode

Gemini CLI settings.json.cloudrun

Replace the default Gemini CLI configuration file —  settings.json with a pre-configured sample- settings.json.cloudrun to use the Cloud Run version of the connection:

{
  "mcpServers": {
    "mcp-cloudrun-lisp": {
      "url": "https://mcp-https-lisp-1056842563084.us-central1.run.app/mcp"
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

Copy the Cloud Run version of the Gemini CLI configuration file:

xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp$ cd .gemini
cp settings.json.cloudrun settings.json
xbill@penguin:~/gemini-cli-codeassist/mcp-https-lisp/.gemini$
Enter fullscreen mode Exit fullscreen mode

Validation with Gemini CLI

The final connection test uses Gemini CLI as a MCP client with the deployed Cloud Run Service in C providing the MCP server. Startup Gemini CLI with the updated settings :

gemini
> /mcp list

Configured MCP servers:

🟢 mcp-cloudrun-lisp - Ready (2 tools)
  Tools:
  - add
  - greet

> greet List Processor in the Cloud

✦ I will call the greet tool to welcome you.

╭──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╮
│ ✓ greet (mcp-cloudrun-lisp MCP Server) {"param":"List Processor in the Cloud"} │
│ │
│ Hello, List Processor in the Cloud! │
╰──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╯
✦ Greetings! I'm ready to help you with your Common Lisp MCP server project. What's our first task?

> sum the first 2 taxicab numbers

✦ I will calculate the sum of the first two taxicab numbers (2 and 1729) using the add tool.

╭──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╮
│ ✓ add (mcp-cloudrun-lisp MCP Server) {"b":1729,"a":2} │
│ │
│ The sum of 2 and 1729 is: 1731 │
╰──────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────────╯
✦ The sum of the first two taxicab numbers ($Ta(1)=2$ and $Ta(2)=1729$) is 1731.
Enter fullscreen mode Exit fullscreen mode

You can also validate the deployed code base:

> review the project

✦ The project review is complete. Here is a summary of the mcp-https-lisp project:

  Project Overview
  This is a Common Lisp MCP (Model Context Protocol) server designed to expose tools over HTTP using Server-Sent Events (SSE). It is built to
  run in a containerized environment (like Google Cloud Run).

  Key Components
   * Core Logic (`src/main.lisp`):
       * Implements the server entry point (main).
       * Registers two example tools: greet and add.
       * Monkey Patches: Contains significant "monkey patches" for 40ants-mcp, openrpc-server, and clack-sse libraries. these patches fix
         JSON-RPC field casing (e.g., isError, inputSchema), handle SSE headers correctly, and ensure the server binds to 0.0.0.0.
   * Logging (`src/logger.lisp`): Uses structured JSON logging (log-json), which is excellent for cloud observability.
   * Build System:
       * `mcp-https-lisp.asd`: Defines the system and dependencies (40ants-mcp, clack, yason, str, etc.).
       * `Makefile`: manages dependencies, builds the binary, and runs tests.
       * `Dockerfile`: Multistage build using fukamachi/sbcl and debian:bookworm-slim to create a deployment-ready image.
   * Tests: Minimal test coverage in tests/main.lisp (checks a basic greeting).

  Observations & Recommendations
   1. Heavy Patching: The project relies on modifying external library behavior at runtime (monkey patching) to meet MCP specifications. This
      suggests the underlying libraries might need updates. Long-term goal: Upstream these fixes.
   2. Test Coverage: Tests are currently very basic. Adding integration tests that simulate MCP tool calls would ensure stability.
   3. Deployment Ready: The Dockerfile and cloudbuild.yaml indicate this is ready for Google Cloud deployment.
Enter fullscreen mode Exit fullscreen mode

Summary

MCP development with Lisp using Gemini CLI was validated with an incremental step by step approach.

A minimal streaming HTTP transport MCP Server was built from source code and validated with Gemini CLI running as a MCP client in the same local environment.

Then — the MCP server was wrapped in a container and submitted to Google Cloud Build for deployment to Google Cloud Run. The remote MCP server was validated with a standard browser, and Gemini CLI.

Finally- remote MCP operations were performed from the local Gemini CLI installation to the Lisp MCP server hosted in Google Cloud Run.

This approach can be extended to more complex deployments and Cloud based options.

Top comments (0)