MCP Hub
Back to servers

virtual-fs

PostgreSQL-backed virtual filesystem for AI agents with persistent, session-isolated storage.

Updated
Feb 9, 2026

Quick Install

npx -y mcp-virtual-fs

mcp-virtual-fs

npm version CI npm downloads License: MIT Node.js

A PostgreSQL-backed virtual filesystem exposed via Model Context Protocol (MCP) tools. Gives AI agents persistent, session-isolated file operations that survive container restarts and scale across deployments.

Why

Agents work well with filesystems for context management, but coupling storage to the agent runtime means data is lost when pods restart or containers are recycled. This MCP server decouples storage from runtime:

  • Persistent storage — files survive process restarts, stored in PostgreSQL
  • Session isolation — each agent session gets its own namespace automatically
  • Cross-session stores — named persistent stores for long-term agent memory
  • Standard file operations — 11 tools that mirror familiar POSIX commands
  • Row Level Security — optional database-enforced isolation between sessions

Prerequisites

  • Node.js 20 or later
  • PostgreSQL 14 or later (with pg_trgm extension — included in most distributions)

Quick Start

1. Set up PostgreSQL

# Using Docker
docker run -d --name vfs-postgres \
  -e POSTGRES_DB=vfs \
  -e POSTGRES_PASSWORD=postgres \
  -p 5432:5432 \
  postgres:16-alpine

2. Configure your MCP client

Add to your MCP client config (e.g., Claude Desktop claude_desktop_config.json or Claude Code .mcp.json):

{
  "mcpServers": {
    "virtual-fs": {
      "command": "npx",
      "args": ["-y", "mcp-virtual-fs"],
      "env": {
        "DATABASE_URL": "postgresql://postgres:postgres@localhost:5432/vfs",
        "VFS_AUTO_INIT": "true"
      }
    }
  }
}

That's it. VFS_AUTO_INIT=true creates the tables on first run.

3. Use the tools

Tool names are short POSIX-style names:

write({ path: "/notes/todo.md", content: "# My Tasks\n- Ship feature" })
read({ path: "/notes/todo.md" })
ls({ path: "/notes" })
glob({ pattern: "**/*.md" })
grep({ pattern: "TODO" })

All tools return structured JSON responses.

Tools

ToolParametersReturnsDescription
readpath{content, size}Read file contents
writepath, content{path, size, has_parents}Write file (creates parents automatically)
appendpath, content{path, appended_bytes}Append to file (creates if missing)
statpath{exists, type?, size?, children?}Check existence and get metadata
lspath{entries: [{name, type}]}List directory (dirs first, then alphabetical)
mkdirpath{path, already_existed}Create directory and parents (mkdir -p)
rmpath{path, deleted}Remove file or directory recursively
mvsource, destination{source, destination}Move/rename file or directory
globpattern{files, count}Find files by glob (e.g., **/*.ts, **/*.{js,ts})
greppattern, path_filter?{matches, count}Search file contents by regex
stores(none){stores, count}List all persistent store names

All tools (except stores) accept an optional store parameter for cross-session persistent storage.

Session Management

Sessions are handled automatically — no session ID in tool parameters.

How it works:

TransportSession identityBehavior
stdioAuto-generated UUID per processEach MCP connection = unique session
HTTP/SSETransport-provided sessionIdMCP protocol handles it
AnyVFS_SESSION_ID env varDeterministic/resumable sessions

Priority: transport sessionId > VFS_SESSION_ID env var > auto-generated UUID.

Resumable sessions

To resume a previous session across process restarts, set a deterministic session ID:

{
  "env": {
    "DATABASE_URL": "postgresql://...",
    "VFS_SESSION_ID": "my-agent-session-1"
  }
}

Cross-Session Stores

Named stores persist across sessions. Any session can read/write to a store by passing the store parameter:

// Session A writes to a store
write({ path: "/context.md", content: "project notes", store: "agent-memory" })

// Session B (days later) reads from the same store
read({ path: "/context.md", store: "agent-memory" })

// Without `store`, operations target the session's own namespace
write({ path: "/scratch.txt", content: "session-only data" })

// List all available stores
stores()

Stores are auto-created on first use.

Environment Variables

VariableRequiredDefaultDescription
DATABASE_URLYesPostgreSQL connection string
VFS_AUTO_INITNofalseAuto-create tables on startup
VFS_SESSION_IDNorandom UUIDDeterministic session ID
VFS_ENABLE_RLSNofalseEnable Row Level Security
VFS_STORAGE_BACKENDNopostgresStorage backend type

Manual Database Setup

If you prefer to manage the schema yourself instead of using VFS_AUTO_INIT:

psql $DATABASE_URL -f sql/schema.sql

Row Level Security (optional)

RLS provides database-enforced session isolation. Even if application code has a bug that omits a WHERE session_id = clause, PostgreSQL itself prevents cross-session access.

# Run after schema.sql
psql $DATABASE_URL -f sql/rls.sql

# Update the vfs_app password
psql $DATABASE_URL -c "ALTER ROLE vfs_app PASSWORD 'your-secure-password'"

Then configure the MCP server to connect as vfs_app:

{
  "env": {
    "DATABASE_URL": "postgresql://vfs_app:your-secure-password@localhost:5432/vfs",
    "VFS_ENABLE_RLS": "true"
  }
}

Development

Requirements

  • Node.js 20+
  • Docker (for integration tests — runs PostgreSQL via testcontainers)
git clone https://github.com/lu-zhengda/mcp-virtual-fs.git
cd mcp-virtual-fs
npm install
npm run build

Commands

CommandDescription
npm run buildCompile TypeScript
npm testRun all tests (requires Docker)
npm run test:unitRun unit tests only
npm run test:integrationRun integration tests only
npm run lintRun ESLint
npm run lint:fixAuto-fix lint issues
npm run devRun with tsx (no build step)

Testing

Tests use testcontainers to spin up real PostgreSQL instances in Docker. No mocks — the integration tests exercise actual SQL queries, trigram indexes, and RLS policies.

# Requires Docker running
npm test

Session Cleanup

Ephemeral sessions can be cleaned up periodically:

DELETE FROM vfs_sessions
WHERE is_persistent = false
  AND created_at < now() - interval '7 days';

The ON DELETE CASCADE on vfs_nodes handles file cleanup automatically. Persistent stores (created via the store parameter) are never affected.

License

MIT

Reviews

No reviews yet

Sign in to write a review