Convert Figma logo to code with AI

uiwjs logoreact-codemirror

CodeMirror 6 component for React. @codemirror https://uiwjs.github.io/react-codemirror/

1,925
147
1,925
162

Top Related Projects

A browser based code editor

In-browser code editor (version 5, legacy)

In-browser code editor (version 5, legacy)

27,007

Ace (Ajax.org Cloud9 Editor)

21,705

Lexical is an extensible text editor framework that provides excellent reliability, accessibility and performance.

45,838

Quill is a modern WYSIWYG editor built for compatibility and extensibility

Quick Overview

React-CodeMirror is a React component wrapper for CodeMirror 6, a versatile and powerful code editor for the web. It provides a seamless integration of CodeMirror's functionality into React applications, allowing developers to easily implement code editing features with syntax highlighting, autocompletion, and more.

Pros

  • Easy integration with React applications
  • Supports a wide range of programming languages and themes
  • Highly customizable with numerous extensions and plugins
  • Regular updates and active community support

Cons

  • Learning curve for advanced customization
  • Some features may require additional setup or configuration
  • Performance can be impacted with large files or complex syntax highlighting

Code Examples

  1. Basic usage:
import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';

function App() {
  return (
    <CodeMirror
      value="console.log('hello world!');"
      height="200px"
      extensions={[javascript({ jsx: true })]}
      onChange={(value, viewUpdate) => {
        console.log('value:', value);
      }}
    />
  );
}
  1. Using multiple languages:
import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';
import { html } from '@codemirror/lang-html';

function App() {
  return (
    <CodeMirror
      value="<div>Hello, world!</div>"
      extensions={[javascript(), html()]}
    />
  );
}
  1. Customizing theme:
import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';
import { dracula } from '@uiw/codemirror-theme-dracula';

function App() {
  return (
    <CodeMirror
      value="const greeting = 'Hello, world!';"
      extensions={[javascript()]}
      theme={dracula}
    />
  );
}

Getting Started

  1. Install the package:
npm install @uiw/react-codemirror
  1. Import and use the component in your React application:
import React from 'react';
import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';

function App() {
  return (
    <CodeMirror
      value="console.log('Hello, CodeMirror!');"
      height="200px"
      extensions={[javascript()]}
      onChange={(value, viewUpdate) => {
        console.log('Editor content:', value);
      }}
    />
  );
}

export default App;

This setup provides a basic JavaScript editor with syntax highlighting and change event handling.

Competitor Comparisons

A browser based code editor

Pros of monaco-editor

  • More comprehensive feature set, including advanced IDE-like capabilities
  • Better performance for large files and complex syntax highlighting
  • Extensive language support out-of-the-box

Cons of monaco-editor

  • Larger bundle size, which may impact load times for web applications
  • Steeper learning curve due to its complexity and extensive API
  • Less straightforward integration with React compared to react-codemirror

Code Comparison

monaco-editor:

import * as monaco from 'monaco-editor';

const editor = monaco.editor.create(document.getElementById('container'), {
    value: 'console.log("Hello, world!");',
    language: 'javascript'
});

react-codemirror:

import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';

function App() {
  return <CodeMirror value="console.log('Hello, world!');" extensions={[javascript()]} />;
}

The monaco-editor example shows a more verbose setup, while react-codemirror offers a more React-friendly component-based approach. monaco-editor provides more configuration options but requires more boilerplate code. react-codemirror, on the other hand, offers a simpler integration within React applications, making it easier to get started quickly.

In-browser code editor (version 5, legacy)

Pros of CodeMirror 5

  • More mature and stable, with a longer history of development and community support
  • Wider range of language modes and add-ons available out-of-the-box
  • Extensive documentation and examples for various use cases

Cons of CodeMirror 5

  • Not specifically designed for React, requiring more setup and integration work
  • Larger bundle size due to its comprehensive feature set
  • Uses older JavaScript syntax and patterns, which may not align with modern development practices

Code Comparison

CodeMirror 5:

var editor = CodeMirror.fromTextArea(document.getElementById("editor"), {
  mode: "javascript",
  lineNumbers: true
});

react-codemirror:

import CodeMirror from '@uiw/react-codemirror';

<CodeMirror
  value={code}
  options={{
    mode: 'javascript',
    lineNumbers: true,
  }}
/>

The react-codemirror library provides a more React-friendly approach, with a component-based implementation that integrates seamlessly into React applications. It offers a simpler setup process and better TypeScript support. However, it may have fewer built-in features and language modes compared to the original CodeMirror 5.

Both libraries serve their purposes well, with CodeMirror 5 being more suitable for non-React projects or those requiring extensive customization, while react-codemirror is ideal for React-based applications seeking a more streamlined integration of the CodeMirror editor.

In-browser code editor (version 5, legacy)

Pros of CodeMirror 5

  • More mature and stable, with a longer history of development and community support
  • Wider range of language modes and add-ons available out-of-the-box
  • Extensive documentation and examples for various use cases

Cons of CodeMirror 5

  • Not specifically designed for React, requiring more setup and integration work
  • Larger bundle size due to its comprehensive feature set
  • Uses older JavaScript syntax and patterns, which may not align with modern development practices

Code Comparison

CodeMirror 5:

var editor = CodeMirror.fromTextArea(document.getElementById("editor"), {
  mode: "javascript",
  lineNumbers: true
});

react-codemirror:

import CodeMirror from '@uiw/react-codemirror';

<CodeMirror
  value={code}
  options={{
    mode: 'javascript',
    lineNumbers: true,
  }}
/>

The react-codemirror library provides a more React-friendly approach, with a component-based implementation that integrates seamlessly into React applications. It offers a simpler setup process and better TypeScript support. However, it may have fewer built-in features and language modes compared to the original CodeMirror 5.

Both libraries serve their purposes well, with CodeMirror 5 being more suitable for non-React projects or those requiring extensive customization, while react-codemirror is ideal for React-based applications seeking a more streamlined integration of the CodeMirror editor.

27,007

Ace (Ajax.org Cloud9 Editor)

Pros of Ace

  • More mature and widely adopted, with a larger community and extensive documentation
  • Supports a broader range of programming languages and file formats
  • Offers more advanced features like code folding, multiple cursors, and split views

Cons of Ace

  • Larger file size and potentially heavier performance impact
  • Less seamless integration with React applications
  • Steeper learning curve for configuration and customization

Code Comparison

Ace:

import AceEditor from 'react-ace';

<AceEditor
  mode="javascript"
  theme="monokai"
  onChange={handleChange}
  name="codeEditor"
  editorProps={{ $blockScrolling: true }}
/>

React-CodeMirror:

import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';

<CodeMirror
  value={code}
  extensions={[javascript()]}
  onChange={handleChange}
  theme="dark"
/>

Both libraries offer React components for code editing, but Ace requires additional setup for language support, while React-CodeMirror uses a more modular approach with extensions. Ace provides more configuration options out-of-the-box, while React-CodeMirror offers a simpler, more React-friendly API. The choice between them depends on specific project requirements, such as needed features, performance considerations, and integration complexity.

21,705

Lexical is an extensible text editor framework that provides excellent reliability, accessibility and performance.

Pros of Lexical

  • More comprehensive and feature-rich text editing framework
  • Designed for extensibility and customization
  • Backed by Facebook, potentially offering better long-term support

Cons of Lexical

  • Steeper learning curve due to its complexity
  • Heavier bundle size compared to React CodeMirror
  • May be overkill for simpler text editing needs

Code Comparison

Lexical:

import {LexicalComposer} from '@lexical/react/LexicalComposer';
import {RichTextPlugin} from '@lexical/react/LexicalRichTextPlugin';

function Editor() {
  return (
    <LexicalComposer>
      <RichTextPlugin />
    </LexicalComposer>
  );
}

React CodeMirror:

import CodeMirror from '@uiw/react-codemirror';
import {javascript} from '@codemirror/lang-javascript';

function Editor() {
  return <CodeMirror extensions={[javascript()]} />;
}

React CodeMirror offers a simpler setup for basic code editing, while Lexical provides a more robust framework for complex text editing scenarios. Lexical's approach allows for greater customization but requires more configuration. React CodeMirror is more straightforward to implement for standard code editing use cases.

45,838

Quill is a modern WYSIWYG editor built for compatibility and extensibility

Pros of Quill

  • Rich text editing capabilities with a focus on user-friendly formatting
  • Extensive customization options for toolbar and modules
  • Cross-platform compatibility and mobile-friendly design

Cons of Quill

  • Larger bundle size compared to CodeMirror
  • Less suitable for code editing and syntax highlighting
  • Steeper learning curve for advanced customizations

Code Comparison

Quill:

var quill = new Quill('#editor', {
  theme: 'snow',
  modules: {
    toolbar: [['bold', 'italic'], ['link', 'image']]
  }
});

React-CodeMirror:

import CodeMirror from '@uiw/react-codemirror';

<CodeMirror
  value="console.log('hello world!');"
  options={{
    mode: 'javascript',
    theme: 'material',
    lineNumbers: true
  }}
/>

The code examples demonstrate the different focus of each library. Quill is configured for rich text editing with formatting options, while React-CodeMirror is set up for code editing with syntax highlighting and line numbers. Quill's initialization is more straightforward, but React-CodeMirror offers a more code-centric approach with its React component structure.

Convert Figma logo designs to code with AI

Visual Copilot

Introducing Visual Copilot: A new AI model to turn Figma designs to high quality code using your components.

Try Visual Copilot

README

react-codemirror logo

react-codemirror

Buy me a coffee NPM Downloads Build & Deploy Open in unpkg npm version Coverage Status Open in Gitpod

CodeMirror component for React. Demo Preview: @uiwjs.github.io/react-codemirror

Features:

🚀 Quickly and easily configure the API.
🌱 Versions after @uiw/react-codemirror@v4 use codemirror 6. #88.
⚛️ Support the features of React Hook(requires React 16.8+).
📚 Use Typescript to write, better code hints.
🌐 The bundled version supports use directly in the browser #267.
🌎 There are better sample previews.
🎨 Support theme customization, provide theme editor.

Install

Not dependent on uiw.

npm install @uiw/react-codemirror --save

All Packages

NameNPM Version
@uiw/react-codemirrornpm version NPM Downloads
react-codemirror-mergenpm version NPM Downloads
@uiw/codemirror-extensions-basic-setupnpm version NPM Downloads
@uiw/codemirror-extensions-colornpm version NPM Downloads
@uiw/codemirror-extensions-classnamenpm version NPM Downloads
@uiw/codemirror-extensions-eventsnpm version NPM Downloads
@uiw/codemirror-extensions-hyper-linknpm version NPM Downloads
@uiw/codemirror-extensions-langsnpm version NPM Downloads
@uiw/codemirror-extensions-line-numbers-relativenpm version NPM Downloads
@uiw/codemirror-extensions-mentionsnpm version NPM Downloads
@uiw/codemirror-extensions-zebra-stripesnpm version NPM Downloads
@uiw/codemirror-themesnpm version NPM Downloads
NameNPM Version
@uiw/codemirror-themes-allnpm version NPM Downloads
@uiw/codemirror-theme-abcdefnpm version NPM Downloads
@uiw/codemirror-theme-abyssnpm version NPM Downloads
@uiw/codemirror-theme-androidstudionpm version NPM Downloads
@uiw/codemirror-theme-andromedanpm version NPM Downloads
@uiw/codemirror-theme-atomonenpm version NPM Downloads
@uiw/codemirror-theme-auranpm version NPM Downloads
@uiw/codemirror-theme-basicnpm version NPM Downloads
@uiw/codemirror-theme-bbeditnpm version NPM Downloads
@uiw/codemirror-theme-bespinnpm version NPM Downloads
@uiw/codemirror-theme-consolenpm version NPM Downloads
@uiw/codemirror-theme-copilotnpm version NPM Downloads
@uiw/codemirror-theme-duotonenpm version NPM Downloads
@uiw/codemirror-theme-draculanpm version NPM Downloads
@uiw/codemirror-theme-darculanpm version NPM Downloads
@uiw/codemirror-theme-eclipsenpm version NPM Downloads
@uiw/codemirror-theme-githubnpm version NPM Downloads
@uiw/codemirror-theme-gruvbox-darknpm version NPM Downloads
@uiw/codemirror-theme-kimbienpm version NPM Downloads
@uiw/codemirror-theme-kimbienpm version NPM Downloads
@uiw/codemirror-theme-materialnpm version NPM Downloads
@uiw/codemirror-theme-monokainpm version NPM Downloads
@uiw/codemirror-theme-noctis-lilacnpm version NPM Downloads
@uiw/codemirror-theme-nordnpm version NPM Downloads
@uiw/codemirror-theme-okaidianpm version NPM Downloads
@uiw/codemirror-theme-quietlightnpm version NPM Downloads
@uiw/codemirror-theme-rednpm version NPM Downloads
@uiw/codemirror-theme-solarizednpm version NPM Downloads
@uiw/codemirror-theme-sublimenpm version NPM Downloads
@uiw/codemirror-theme-tokyo-nightnpm version NPM Downloads
@uiw/codemirror-theme-tokyo-night-stormnpm version NPM Downloads
@uiw/codemirror-theme-tokyo-night-daynpm version NPM Downloads
@uiw/codemirror-theme-vscodenpm version NPM Downloads
@uiw/codemirror-theme-whitenpm version NPM Downloads
@uiw/codemirror-theme-tomorrow-night-bluenpm version NPM Downloads
@uiw/codemirror-theme-xcodenpm version NPM Downloads

Usage

Open in CodeSandbox

import React from 'react';
import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';

function App() {
  const [value, setValue] = React.useState("console.log('hello world!');");
  const onChange = React.useCallback((val, viewUpdate) => {
    console.log('val:', val);
    setValue(val);
  }, []);
  return <CodeMirror value={value} height="200px" extensions={[javascript({ jsx: true })]} onChange={onChange} />;
}
export default App;

Support Language

Open in CodeSandbox

import CodeMirror from '@uiw/react-codemirror';
import { StreamLanguage } from '@codemirror/language';
import { go } from '@codemirror/legacy-modes/mode/go';

const goLang = `package main
import "fmt"

func main() {
  fmt.Println("Hello, 世界")
}`;

export default function App() {
  return <CodeMirror value={goLang} height="200px" extensions={[StreamLanguage.define(go)]} />;
}

Markdown Example

Markdown language code is automatically highlighted.

Open in CodeSandbox

import CodeMirror from '@uiw/react-codemirror';
import { markdown, markdownLanguage } from '@codemirror/lang-markdown';
import { languages } from '@codemirror/language-data';

const code = `## Title

\`\`\`jsx
function Demo() {
  return <div>demo</div>
}
\`\`\`

\`\`\`bash
# Not dependent on uiw.
npm install @codemirror/lang-markdown --save
npm install @codemirror/language-data --save
\`\`\`

[weisit ulr](https://uiwjs.github.io/react-codemirror/)

\`\`\`go
package main
import "fmt"
func main() {
  fmt.Println("Hello, 世界")
}
\`\`\`
`;

export default function App() {
  return <CodeMirror value={code} extensions={[markdown({ base: markdownLanguage, codeLanguages: languages })]} />;
}

Codemirror Merge

A component that highlights the changes between two versions of a file in a side-by-side view, highlighting added, modified, or deleted lines of code.

npm install react-codemirror-merge  --save
import CodeMirrorMerge from 'react-codemirror-merge';
import { EditorView } from 'codemirror';
import { EditorState } from '@codemirror/state';

const Original = CodeMirrorMerge.Original;
const Modified = CodeMirrorMerge.Modified;
let doc = `one
two
three
four
five`;

export const Example = () => {
  return (
    <CodeMirrorMerge>
      <Original value={doc} />
      <Modified
        value={doc.replace(/t/g, 'T') + 'Six'}
        extensions={[EditorView.editable.of(false), EditorState.readOnly.of(true)]}
      />
    </CodeMirrorMerge>
  );
};

Support Hook

Open in CodeSandbox

import { useEffect, useMemo, useRef } from 'react';
import { useCodeMirror } from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';

const code = "console.log('hello world!');\n\n\n";
// Define the extensions outside the component for the best performance.
// If you need dynamic extensions, use React.useMemo to minimize reference changes
// which cause costly re-renders.
const extensions = [javascript()];

export default function App() {
  const editor = useRef();
  const { setContainer } = useCodeMirror({
    container: editor.current,
    extensions,
    value: code,
  });

  useEffect(() => {
    if (editor.current) {
      setContainer(editor.current);
    }
  }, [editor.current]);

  return <div ref={editor} />;
}

Using Theme

We have created a theme editor where you can define your own theme. We have also defined some themes ourselves, which can be installed and used directly. Below is a usage example:

import CodeMirror from '@uiw/react-codemirror';
import { javascript } from '@codemirror/lang-javascript';
import { okaidia } from '@uiw/codemirror-theme-okaidia';

const extensions = [javascript({ jsx: true })];

export default function App() {
  return <CodeMirror value="console.log('hello world!');" height="200px" theme={okaidia} extensions={extensions} />;
}

Using custom theme

import CodeMirror from '@uiw/react-codemirror';
import { createTheme } from '@uiw/codemirror-themes';
import { javascript } from '@codemirror/lang-javascript';
import { tags as t } from '@lezer/highlight';

const myTheme = createTheme({
  theme: 'light',
  settings: {
    background: '#ffffff',
    backgroundImage: '',
    foreground: '#75baff',
    caret: '#5d00ff',
    selection: '#036dd626',
    selectionMatch: '#036dd626',
    lineHighlight: '#8a91991a',
    gutterBackground: '#fff',
    gutterForeground: '#8a919966',
  },
  styles: [
    { tag: t.comment, color: '#787b8099' },
    { tag: t.variableName, color: '#0080ff' },
    { tag: [t.string, t.special(t.brace)], color: '#5c6166' },
    { tag: t.number, color: '#5c6166' },
    { tag: t.bool, color: '#5c6166' },
    { tag: t.null, color: '#5c6166' },
    { tag: t.keyword, color: '#5c6166' },
    { tag: t.operator, color: '#5c6166' },
    { tag: t.className, color: '#5c6166' },
    { tag: t.definition(t.typeName), color: '#5c6166' },
    { tag: t.typeName, color: '#5c6166' },
    { tag: t.angleBracket, color: '#5c6166' },
    { tag: t.tagName, color: '#5c6166' },
    { tag: t.attributeName, color: '#5c6166' },
  ],
});
const extensions = [javascript({ jsx: true })];

export default function App() {
  const onChange = React.useCallback((value, viewUpdate) => {
    console.log('value:', value);
  }, []);
  return (
    <CodeMirror
      value="console.log('hello world!');"
      height="200px"
      theme={myTheme}
      extensions={extensions}
      onChange={onChange}
    />
  );
}

Use initialState to restore state from JSON-serialized representation

CodeMirror allows to serialize editor state to JSON representation with toJSON function for persistency or other needs. This JSON representation can be later used to recreate ReactCodeMirror component with the same internal state.

For example, this is how undo history can be saved in the local storage, so that it remains after the page reloads

import CodeMirror from '@uiw/react-codemirror';
import { historyField } from '@codemirror/commands';

// When custom fields should be serialized, you can pass them in as an object mapping property names to fields.
// See [toJSON](https://codemirror.net/docs/ref/#state.EditorState.toJSON) documentation for more details
const stateFields = { history: historyField };

export function EditorWithInitialState() {
  const serializedState = localStorage.getItem('myEditorState');
  const value = localStorage.getItem('myValue') || '';

  return (
    <CodeMirror
      value={value}
      initialState={
        serializedState
          ? {
              json: JSON.parse(serializedState || ''),
              fields: stateFields,
            }
          : undefined
      }
      onChange={(value, viewUpdate) => {
        localStorage.setItem('myValue', value);

        const state = viewUpdate.state.toJSON(stateFields);
        localStorage.setItem('myEditorState', JSON.stringify(state));
      }}
    />
  );
}

Props

  • value?: string value of the auto created model in the editor.
  • width?: string width of editor. Defaults to auto.
  • height?: string height of editor. Defaults to auto.
  • theme?: 'light' / 'dark' / Extension Defaults to 'light'.
import React from 'react';
import { EditorState, EditorStateConfig, Extension } from '@codemirror/state';
import { EditorView, ViewUpdate } from '@codemirror/view';
export * from '@codemirror/view';
export * from '@codemirror/basic-setup';
export * from '@codemirror/state';
export interface UseCodeMirror extends ReactCodeMirrorProps {
  container?: HTMLDivElement | null;
}
export declare function useCodeMirror(props: UseCodeMirror): {
  state: EditorState | undefined;
  setState: import('react').Dispatch<import('react').SetStateAction<EditorState | undefined>>;
  view: EditorView | undefined;
  setView: import('react').Dispatch<import('react').SetStateAction<EditorView | undefined>>;
  container: HTMLDivElement | null | undefined;
  setContainer: import('react').Dispatch<import('react').SetStateAction<HTMLDivElement | null | undefined>>;
};
export interface ReactCodeMirrorProps
  extends Omit<EditorStateConfig, 'doc' | 'extensions'>,
    Omit<React.HTMLAttributes<HTMLDivElement>, 'onChange' | 'placeholder'> {
  /** value of the auto created model in the editor. */
  value?: string;
  height?: string;
  minHeight?: string;
  maxHeight?: string;
  width?: string;
  minWidth?: string;
  maxWidth?: string;
  /** focus on the editor. */
  autoFocus?: boolean;
  /** Enables a placeholder—a piece of example content to show when the editor is empty. */
  placeholder?: string | HTMLElement;
  /**
   * `light` / `dark` / `Extension` Defaults to `light`.
   * @default light
   */
  theme?: 'light' | 'dark' | Extension;
  /**
   * Whether to optional basicSetup by default
   * @default true
   */
  basicSetup?: boolean | BasicSetupOptions;
  /**
   * This disables editing of the editor content by the user.
   * @default true
   */
  editable?: boolean;
  /**
   * This disables editing of the editor content by the user.
   * @default false
   */
  readOnly?: boolean;
  /**
   * Controls whether pressing the `Tab` key inserts a tab character and indents the text (`true`)
   * or behaves according to the browser's default behavior (`false`).
   * @default true
   */
  indentWithTab?: boolean;
  /** Fired whenever a change occurs to the document. */
  onChange?(value: string, viewUpdate: ViewUpdate): void;
  /** Some data on the statistics editor. */
  onStatistics?(data: Statistics): void;
  /** The first time the editor executes the event. */
  onCreateEditor?(view: EditorView, state: EditorState): void;
  /** Fired whenever any state change occurs within the editor, including non-document changes like lint results. */
  onUpdate?(viewUpdate: ViewUpdate): void;
  /**
   * Extension values can be [provided](https://codemirror.net/6/docs/ref/#state.EditorStateConfig.extensions) when creating a state to attach various kinds of configuration and behavior information.
   * They can either be built-in extension-providing objects,
   * such as [state fields](https://codemirror.net/6/docs/ref/#state.StateField) or [facet providers](https://codemirror.net/6/docs/ref/#state.Facet.of),
   * or objects with an extension in its `extension` property. Extensions can be nested in arrays arbitrarily deep—they will be flattened when processed.
   */
  extensions?: Extension[];
  /**
   * If the view is going to be mounted in a shadow root or document other than the one held by the global variable document (the default), you should pass it here.
   * Originally from the [config of EditorView](https://codemirror.net/6/docs/ref/#view.EditorView.constructor%5Econfig.root)
   */
  root?: ShadowRoot | Document;
  /**
   * Create a state from its JSON representation serialized with [toJSON](https://codemirror.net/docs/ref/#state.EditorState.toJSON) function
   */
  initialState?: {
    json: any;
    fields?: Record<'string', StateField<any>>;
  };
}
export interface ReactCodeMirrorRef {
  editor?: HTMLDivElement | null;
  state?: EditorState;
  view?: EditorView;
}
declare const ReactCodeMirror: React.ForwardRefExoticComponent<
  ReactCodeMirrorProps & React.RefAttributes<ReactCodeMirrorRef>
>;
export default ReactCodeMirror;
export interface BasicSetupOptions {
  lineNumbers?: boolean;
  highlightActiveLineGutter?: boolean;
  highlightSpecialChars?: boolean;
  history?: boolean;
  foldGutter?: boolean;
  drawSelection?: boolean;
  dropCursor?: boolean;
  allowMultipleSelections?: boolean;
  indentOnInput?: boolean;
  syntaxHighlighting?: boolean;
  bracketMatching?: boolean;
  closeBrackets?: boolean;
  autocompletion?: boolean;
  rectangularSelection?: boolean;
  crosshairCursor?: boolean;
  highlightActiveLine?: boolean;
  highlightSelectionMatches?: boolean;
  closeBracketsKeymap?: boolean;
  defaultKeymap?: boolean;
  searchKeymap?: boolean;
  historyKeymap?: boolean;
  foldKeymap?: boolean;
  completionKeymap?: boolean;
  lintKeymap?: boolean;
}
import { EditorSelection, SelectionRange } from '@codemirror/state';
import { ViewUpdate } from '@codemirror/view';
export interface Statistics {
  /** Get the number of lines in the editor. */
  lineCount: number;
  /** total length of the document */
  length: number;
  /** Get the proper [line-break](https://codemirror.net/docs/ref/#state.EditorState^lineSeparator) string for this state. */
  lineBreak: string;
  /** Returns true when the editor is [configured](https://codemirror.net/6/docs/ref/#state.EditorState^readOnly) to be read-only. */
  readOnly: boolean;
  /** The size (in columns) of a tab in the document, determined by the [`tabSize`](https://codemirror.net/6/docs/ref/#state.EditorState^tabSize) facet. */
  tabSize: number;
  /** Cursor Position */
  selection: EditorSelection;
  /** Make sure the selection only has one range. */
  selectionAsSingle: SelectionRange;
  /** Retrieves a list of all current selections. */
  ranges: readonly SelectionRange[];
  /** Get the currently selected code. */
  selectionCode: string;
  /**
   * The length of the given array should be the same as the number of active selections.
   * Replaces the content of the selections with the strings in the array.
   */
  selections: string[];
  /** Return true if any text is selected. */
  selectedText: boolean;
}
export declare const getStatistics: (view: ViewUpdate) => Statistics;

Development

  1. Install dependencies
$ npm install       # Installation dependencies
$ npm run build     # Compile all package
  1. Development @uiw/react-codemirror package:
$ cd core
# listen to the component compile and output the .js file
# listen for compilation output type .d.ts file
$ npm run watch # Monitor the compiled package `@uiw/react-codemirror`
  1. Launch documentation site
npm run start

Related

Contributors

As always, thanks to our amazing contributors!

Made with contributors.

License

Licensed under the MIT License.

NPM DownloadsLast 30 Days