npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2025 – Pkg Stats / Ryan Hefner

@ydb-platform/monaco-ghost

v1.0.0

Published

Inline completion adapter for Monaco Editor

Downloads

1,240

Readme

@ydb-platform/monaco-ghost

CI npm version License PRs Welcome

🚀 A lightweight adapter for integrating completion services with Monaco Editor's inline completion system.

InstallationQuick StartDocumentationContributing


✨ Features at a Glance

  • 👻 Ghost Text Display - Inline suggestions with keyboard navigation
  • High Performance - Debouncing, caching, and optimized for large files
  • 🎯 Type Safety - Comprehensive TypeScript support
  • 🎨 Theme Support - Dark and light themes with customization options
  • 📊 Event System - Rich analytics and error tracking
  • 🧩 React Integration - Pre-built components and hooks

📦 Installation

npm install @ydb-platform/monaco-ghost monaco-editor

🚀 Quick Start

The library provides multiple ways to integrate with React applications. Here are the main approaches:

import React, { useCallback } from 'react';
import MonacoEditor from 'react-monaco-editor';
import * as monaco from 'monaco-editor';
import { useMonacoGhost } from '@ydb-platform/monaco-ghost';

function MyCustomEditor() {
  // Java-specific API implementation
  const javaApi = {
    getCodeAssistSuggestions: async () => ({
      Suggests: [{ Text: 'System.out.println("Hello, World!");' }],
      RequestId: 'demo-request',
    }),
  };

  // Java-specific configuration
  const javaConfig = {
    debounceTime: 200,
    suggestionCache: {
      enabled: true,
    },
  };

  const eventHandlers = {
    onCompletionAccept: text => console.log('Accepted:', text),
    onCompletionDecline: (text, reason, otherSuggestions) =>
      console.log('Declined:', text, reason, otherSuggestions),
    onCompletionIgnore: (text, otherSuggestions) => console.log('Ignored:', text, otherSuggestions),
    onCompletionError: error => console.error('Error:', error),
  };

  const { register } = useMonacoGhost({
    api: javaApi,
    eventHandlers,
    config: javaConfig,
  });

  const editorDidMount = useCallback(
    (editor: monaco.editor.IStandaloneCodeEditor) => {
      register(editor);
    },
    [register]
  );

  const options = {
    selectOnLineNumbers: true,
    minimap: { enabled: false },
    automaticLayout: true,
    fontSize: 14,
    lineNumbers: 'on',
    scrollBeyondLastLine: false,
    roundedSelection: false,
    padding: { top: 10 },
  };

  return (
    <MonacoEditor
      width="800"
      height="600"
      language="java"
      theme="vs-dark" // or "vs-light"
      value="// Your Java code here"
      options={options}
      editorDidMount={editorDidMount}
    />
  );
}

For more control over the ghost instance lifecycle, you can use createMonacoGhostInstance instead of the hook:

import React from 'react';
import MonacoEditor from 'react-monaco-editor';
import * as monaco from 'monaco-editor';
import { createMonacoGhostInstance } from '@ydb-platform/monaco-ghost';

function MyCustomEditor() {
  const [monacoGhostInstance, setMonacoGhostInstance] =
    React.useState<ReturnType<typeof createMonacoGhostInstance>>();

  // Configuration and helpers
  const monacoGhostConfig = {
    api: {
      getCodeAssistSuggestions: async () => ({
        Suggests: [{ Text: 'System.out.println("Hello, World!");' }],
        RequestId: 'demo-request',
      }),
    },
    eventHandlers: {
      onCompletionAccept: text => console.log('Accepted:', text),
      onCompletionDecline: (text, reason, otherSuggestions) =>
        console.log('Declined:', text, reason, otherSuggestions),
      onCompletionIgnore: (text, otherSuggestions) =>
        console.log('Ignored:', text, otherSuggestions),
      onCompletionError: error => console.error('Error:', error),
    },
    config: {
      language: 'java',
      debounceTime: 200,
      suggestionCache: {
        enabled: true,
      },
    },
  };

  // Initialize ghost instance when enabled
  React.useEffect(() => {
    if (monacoGhostInstance && isCodeAssistEnabled) {
      monacoGhostInstance.register(monacoGhostConfig);
    }

    return () => {
      monacoGhostInstance?.unregister();
    };
  }, [isCodeAssistEnabled, monacoGhostConfig, monacoGhostInstance]);

  const editorDidMount = (editor: monaco.editor.IStandaloneCodeEditor) => {
    setMonacoGhostInstance(createMonacoGhostInstance(editor));
  };

  return (
    <MonacoEditor
      width="800"
      height="600"
      language="java"
      theme="vs-dark"
      value="// Your Java code here"
      options={{
        selectOnLineNumbers: true,
        minimap: { enabled: false },
        automaticLayout: true,
      }}
      editorDidMount={editorDidMount}
    />
  );
}

This approach gives you more control over when the ghost instance is created and destroyed, and allows for more complex initialization logic if needed.

// Using the pre-built editor component
import { MonacoEditor } from '@ydb-platform/monaco-ghost';

function MyApp() {
  // SQL-specific API implementation
  const sqlApi = {
    getCodeAssistSuggestions: async () => ({
      Suggests: [{ Text: 'SELECT * FROM users;' }],
      RequestId: 'demo-request',
    }),
  };

  // SQL-specific configuration
  const sqlConfig = {
    debounceTime: 200,
    suggestionCache: {
      enabled: true,
    },
  };

  return (
    <MonacoEditor
      initialValue="-- Your SQL code here"
      language="sql"
      theme="vs-dark" // or "vs-light"
      api={sqlApi}
      config={sqlConfig}
      onCompletionAccept={text => console.log('Accepted:', text)}
      onCompletionDecline={(text, reason, otherSuggestions) =>
        console.log('Declined:', text, reason, otherSuggestions)
      }
      onCompletionIgnore={(text, otherSuggestions) =>
        console.log('Ignored:', text, otherSuggestions)
      }
      onCompletionError={error => console.error('Error:', error)}
      editorOptions={{
        minimap: { enabled: false },
        fontSize: 14,
      }}
    />
  );
}

Vanilla JavaScript

import * as monaco from 'monaco-editor';
import {
  createCodeCompletionService,
  registerCompletionCommands,
} from '@ydb-platform/monaco-ghost';

// Create language-specific API implementation
const sqlApi = {
  getCodeAssistSuggestions: async data => {
    // Call your completion service
    // Return suggestions in the expected format
    return {
      Suggests: [{ Text: 'SELECT * FROM users;' }],
      RequestId: 'request-id',
    };
  },
};

// Configure the adapter with language-specific settings
const sqlConfig = {
  debounceTime: 200,
  suggestionCache: {
    enabled: true,
  },
};

// Create provider for SQL
const sqlCompletionProvider = createCodeCompletionService(sqlApi, sqlConfig);

// Subscribe to completion events with type safety
sqlCompletionProvider.events.on('completion:accept', data => {
  console.log('Completion accepted:', data.acceptedText);
});

sqlCompletionProvider.events.on('completion:decline', data => {
  console.log(
    'Completion declined:',
    data.suggestionText,
    'reason:',
    data.reason,
    'other suggestions:',
    data.otherSuggestions
  );
});

sqlCompletionProvider.events.on('completion:ignore', data => {
  console.log(
    'Completion ignored:',
    data.suggestionText,
    'other suggestions:',
    data.otherSuggestions
  );
});

sqlCompletionProvider.events.on('completion:error', error => {
  console.error('Completion error:', error);
});

// Register with Monaco for SQL
monaco.languages.registerInlineCompletionsProvider(['sql'], sqlCompletionProvider);

// Register commands (assuming you have an editor instance)
registerCompletionCommands(monaco, sqlCompletionProvider, editor);

📚 Documentation

🎮 Keyboard Shortcuts

| Key | Action | | -------- | ---------------------------- | | Tab | Accept current suggestion | | Escape | Decline current suggestion | | Alt+] | Cycle to next suggestion | | Alt+[ | Cycle to previous suggestion |

⚙️ Configuration

interface CodeCompletionConfig {
  // Required when using hooks
  language?: string; // The language this configuration applies to (e.g., 'sql', 'java')

  // Performance settings
  debounceTime?: number; // Time in ms to debounce API calls (default: 200)

  // Cache settings
  suggestionCache?: {
    enabled?: boolean; // Whether to enable suggestion caching (default: true)
  };
}

🔌 API Interface

interface ICodeCompletionAPI {
  getCodeAssistSuggestions(data: PromptFile[]): Promise<Suggestions>;
}

export interface PromptPosition {
  lineNumber: number;
  column: number;
}

export interface PromptFragment {
  text: string;
  start: PromptPosition;
  end: PromptPosition;
}

export interface PromptFile {
  path: string;
  fragments: PromptFragment[];
  cursorPosition: PromptPosition;
}

export interface Suggestions {
  items: string[];
  requestId?: string;
}

📊 Events

The completion service emits four types of events with rich data:

1. Acceptance Events

interface CompletionAcceptEvent {
  requestId: string;
  acceptedText: string;
}

completionProvider.events.on('completion:accept', (data: CompletionAcceptEvent) => {
  console.log('Accepted:', data.acceptedText);
});

2. Decline Events

interface CompletionDeclineEvent {
  requestId: string;
  suggestionText: string;
  reason: string;
  hitCount: number;
  otherSuggestions: string[];
}

completionProvider.events.on('completion:decline', (data: CompletionDeclineEvent) => {
  console.log('Declined:', data.suggestionText, 'reason:', data.reason);
  console.log('Other suggestions:', data.otherSuggestions);
  console.log('Times shown:', data.hitCount);
});

3. Ignore Events

interface CompletionIgnoreEvent {
  requestId: string;
  suggestionText: string;
  otherSuggestions: string[];
}

completionProvider.events.on('completion:ignore', (data: CompletionIgnoreEvent) => {
  console.log('Ignored:', data.suggestionText);
  console.log('Other suggestions:', data.otherSuggestions);
});

4. Error Events

completionProvider.events.on('completion:error', (error: Error) => {
  console.error('Completion error:', error);
});

🛠️ Development

Setup

# Install dependencies
npm install

# Start Storybook for development
npm run storybook

# Run tests
npm run test

# Run tests with coverage
npm run test:coverage

Build System

The package uses a hybrid build system:

  • TypeScript (tsc) for type checking and declaration files
  • esbuild for fast, optimized builds

Output Formats:

  • CommonJS: dist/cjs/index.js
  • ES Modules: dist/esm/index.js
  • TypeScript Declarations: dist/types/index.d.ts
# Type checking only
npm run type-check

# Build type declarations
npm run build:types

# Build CommonJS version
npm run build:cjs

# Build ES Modules version
npm run build:esm

# Full build (all formats)
npm run build

👥 Contributing

  1. Fork the repository
  2. Create your feature branch (git checkout -b feature/amazing-feature)
  3. Commit your changes (git commit -m 'Add some amazing feature')
  4. Push to the branch (git push origin feature/amazing-feature)
  5. Open a Pull Request

Development Guidelines

1. Code Context

  • Handle text limits appropriately
  • Maintain cursor position accuracy
  • Consider edge cases
  • Support partial text acceptance

2. Error Handling

  • Wrap API calls in try-catch blocks
  • Fail gracefully on errors
  • Log issues without breaking editor
  • Emit error events for monitoring

3. Performance

  • Use debouncing for API calls
  • Implement efficient caching
  • Track suggestion hit counts
  • Clean up resources properly

4. Testing

  • Add tests for new features
  • Maintain backward compatibility
  • Test edge cases
  • Verify event handling

📄 License

Apache-2.0 - see LICENSE file for details.