Skip to content

Latest commit

 

History

History
173 lines (115 loc) · 8.15 KB

File metadata and controls

173 lines (115 loc) · 8.15 KB

Framelink MCP for Figma

Framelink MCP for Figma is a Model Context Protocol (MCP) server that gives AI coding tools (Cursor, etc.) access to Figma design data. It fetches Figma files/nodes via the Figma API, simplifies the response to include only relevant layout and styling information, and serves it to AI clients.

Build & Development Commands

pnpm install          # Install dependencies
pnpm build            # Build with tsup (outputs to dist/)
pnpm dev              # Development mode with watch + auto-restart (HTTP)
pnpm dev:cli          # Development mode (stdio)
pnpm test             # Run Vitest tests
pnpm type-check       # TypeScript type checking only
pnpm lint             # ESLint
pnpm format           # Prettier formatting
pnpm inspect          # Run MCP inspector for debugging

Running the Server

pnpm start            # HTTP mode (default port 3333)
pnpm start:cli        # stdio mode for MCP clients

Running a Single Test

pnpm test -- path/to/test.ts
pnpm test -- --testNamePattern="pattern"

Releasing

Releases are automated via release-please. On merge to main, release-please reads conventional commit prefixes (fix:, feat:, feat!:) and maintains a release PR. Merging the release PR publishes to npm via OIDC trusted publishing.

PR Title Convention

PRs are squash-merged, so the PR title becomes the commit message that release-please parses. Always use Conventional Commit prefixes in PR titles.

Architecture

Entry Points

  • src/bin.ts — CLI entry point, calls startServer()
  • src/server.ts — Server initialization, handles stdio vs HTTP mode selection
  • src/mcp-server.ts — Library re-exports for external consumers (createServer, startServer, etc.)
  • src/index.ts — Library exports (extractors, types)

Transport Modes

The server supports three transports (all configured in src/server.ts):

  • stdio — For direct MCP client integration (activated with --stdio flag or NODE_ENV=cli)
  • StreamableHTTP — Modern HTTP transport at /mcp
  • SSE — Legacy HTTP transport at /sse + /messages

Core Data Flow

  1. MCP Tools (src/mcp/tools/) — Define tool schemas and handlers

    • get_figma_data — Fetches and simplifies Figma design data
    • download_figma_images — Downloads images from Figma
  2. Figma Service (src/services/figma.ts) — API client for Figma REST API

    • Handles auth (Personal Access Token or OAuth)
    • Methods: getRawFile(), getRawNode(), downloadImages()
  3. Extractor System (src/extractors/) — Transforms raw Figma API responses

    • design-extractor.ts — Entry point, parses API response and calls extractors
    • node-walker.ts — Recursive traversal applying extractors to each node
    • built-in.ts — Built-in extractors: layoutExtractor, textExtractor, visualsExtractor, componentExtractor
    • Extractors are composable; allExtractors combines all built-ins
  4. Transformers (src/transformers/) — Convert specific Figma properties

    • layout.ts — Layout/positioning transforms
    • style.ts — Visual styling (fills, strokes)
    • effects.ts — Effects (shadows, blurs)
    • text.ts — Text content and styling
    • component.ts — Component metadata

Configuration

src/config.ts handles CLI args and environment variables:

  • FIGMA_API_KEY or --figma-api-key — Personal Access Token
  • FIGMA_OAUTH_TOKEN or --figma-oauth-token — OAuth Bearer token
  • PORT or --port — HTTP server port (default: 3333)
  • --json — Output JSON instead of YAML
  • --skip-image-downloads — Disable image download tool

Path Alias

The codebase uses ~/ as an alias for src/ (configured in tsconfig.json and vitest.config.ts).

Philosophy

From CONTRIBUTING.md — important context for development:

  1. Unix Philosophy — Tools should have one job and few arguments. Keep tools simple to avoid confusing LLMs.
  2. Focused Scope — The server only handles "ingesting designs for AI consumption." Out of scope: image manipulation, CMS syncing, code generation, third-party integrations.
  3. Project-level Config — Options unlikely to change between requests should be CLI arguments, not tool parameters.

Quality

This codebase will outlive you. Every shortcut becomes someone else's burden. Every hack compounds into technical debt that slows the whole team down.

For each proposed change, examine the existing system and redesign it into the most elegant solution that would have emerged if the change had been a foundational assumption from the start.

You are not just writing code. You are shaping the future of this project. The patterns you establish will be copied. The corners you cut will be cut again.

Fight entropy. Leave the codebase better than you found it.

Comment Policy

Unacceptable Comments

  • Comments that repeat what code does
  • Commented-out code (delete it)
  • Obvious comments ("increment counter")
  • Comments instead of good naming

Great Comments

  • Why this exists — what problem does this solve, why is it valuable
  • Why it works this way — important design decisions and their rationale
  • Why NOT — approaches you considered and rejected, to prevent re-attempting failed ideas
  • Warnings — non-obvious gotchas, ordering dependencies, "this must happen before X"
  • Domain bridges — when code implements complex domain logic (finance calculations, protocol specs, algorithms) that can't fully express the underlying concept
  • Looks wrong — when code appears unused, redundant, or incorrect but exists for a non-obvious reason (e.g., interface contracts for test implementations, load-bearing side effects)
  • Negative space — when code deliberately doesn't handle something and that absence is intentional (e.g., "Does not retry—caller handles backoff" prevents someone from "helpfully" adding retry logic that breaks upstream assumptions)

Testing Philosophy

Write tests. Not too many. Mostly integration.

  • Every test has a cost: maintenance, false positives, slower CI. Tests must earn their place.
  • Most features need 2-5 tests. Some need zero.
  • Zero tests is valid for: simple CRUD, styling, config changes, framework-convention code, etc.
  • Design for testability using "functional core, imperative shell": keep pure business logic separate from code that does IO.

Principles

  • Test behavior, not implementation. Tests should verify what the code does, not how it does it. Only use methods available on the public interface to verify behavior.
  • Don't test what the type system guarantees. If TypeScript enforces it at compile time, a runtime test adds no value.
  • Don't test the framework. Don't verify that Express routes, React renders, or ORM queries work — test your logic.
  • Prefer real implementations over mocks. Mocks couple tests to implementation details and hide real bugs. Only mock at system boundaries (network, filesystem, time).

Only test behavior where:

  • A failure would frustrate or block real users
  • The behavior is non-obvious and could regress silently
  • It's a critical integration point or state transition

Skip testing:

  • Implementation details, private methods, trivial code
  • Edge cases that won't occur in practice
  • Variations that test the same underlying behavior

Error Handling

Trust internal code and framework guarantees. Only validate at system boundaries — user input, external APIs, file I/O. Don't add try/catch, fallbacks, or defensive checks for scenarios that can't happen in practice. Let errors propagate naturally; the caller that knows how to handle them should be the one catching them.

External Libraries

Use the context7 MCP first to gather information on unfamiliar libraries or APIs. If that fails, you may search the code directly or search the web for more detail.

Communication Style

When reviewing plans, providing feedback, or analyzing approaches, be genuinely critical. Flag real risks, tradeoffs, and things that will break rather than being agreeable. Grounded, opinionated analysis is more valuable than polite agreement.