![Oracle Drags Its Feet in the JavaScript Trademark Dispute](https://cdn.sanity.io/images/cgdhsj6q/production/919c3b22c24f93884c548d60cbb338e819ff2435-1024x1024.webp?w=400&fit=max&auto=format)
Security News
Oracle Drags Its Feet in the JavaScript Trademark Dispute
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
@monaco-editor/react
Advanced tools
Monaco editor wrapper for easy/one-line integration with React applications (e.g. powered by create-react-app) without need of webpack configuration files
@monaco-editor/react is a React component for integrating the Monaco Editor, which is the code editor that powers Visual Studio Code, into React applications. It provides a simple way to embed a powerful code editor with syntax highlighting, IntelliSense, and other advanced features.
Basic Usage
This code demonstrates how to use the @monaco-editor/react package to embed a basic Monaco Editor instance in a React application. The editor is set to use JavaScript language and the 'vs-dark' theme.
import React from 'react';
import { MonacoEditor } from '@monaco-editor/react';
function App() {
return (
<div>
<MonacoEditor height="90vh" language="javascript" theme="vs-dark" />
</div>
);
}
export default App;
Customizing Editor Options
This example shows how to customize the editor options. The options object allows you to configure various aspects of the editor, such as making it read-only, changing the cursor style, and enabling automatic layout.
import React from 'react';
import { MonacoEditor } from '@monaco-editor/react';
function App() {
const options = {
selectOnLineNumbers: true,
roundedSelection: false,
readOnly: true,
cursorStyle: 'line',
automaticLayout: true
};
return (
<div>
<MonacoEditor height="90vh" language="javascript" theme="vs-dark" options={options} />
</div>
);
}
export default App;
Handling Editor Events
This example demonstrates how to handle editor events, such as content changes. The onChange prop is used to pass a callback function that will be called whenever the editor's content changes.
import React from 'react';
import { MonacoEditor } from '@monaco-editor/react';
function App() {
const handleEditorChange = (value, event) => {
console.log('Editor content changed:', value);
};
return (
<div>
<MonacoEditor height="90vh" language="javascript" theme="vs-dark" onChange={handleEditorChange} />
</div>
);
}
export default App;
react-ace is a React component for the Ace editor, another popular code editor. It offers similar features like syntax highlighting, themes, and various editor options. However, Monaco Editor is generally considered more powerful and feature-rich, especially for larger projects.
react-codemirror2 is a React component for the CodeMirror editor. It provides a highly customizable code editor with support for many languages and themes. While CodeMirror is lightweight and fast, Monaco Editor offers more advanced features like IntelliSense and better integration with TypeScript.
react-simple-code-editor is a lightweight code editor component for React. It is built on top of Prism.js for syntax highlighting. While it is simpler and easier to use, it lacks many of the advanced features found in Monaco Editor, such as IntelliSense and comprehensive language support.
Monaco Editor for React
Monaco editor wrapper for easy/one-line integration with React applications without needing to use webpack's (or any other module bundler's) configuration files.
There is a well-known web technology based code editor called Monaco Editor that powers VS Code. There are also many ways to integrate it provided by monaco creators. But there were tons of problems with the integration of monaco with modern technologies; e.g React.
There do already exist solutions for integration with React; e.g this one and this one. But they need custom webpack configuration for Monaco to fully work, which is not the "best" solution for things like create-react-app - CRA.
With this solution, you don't need webpack configuration files and it works great with React apps created by CRA or anything else.
npm install @monaco-editor/react
or
yarn add @monaco-editor/react
NOTE: For TypeScript type definitions, this package uses the monaco-editor package as a peer dependency. So, if you need types and don't already have the monaco-editor package installed, you will need to do so.
Besides types, three main components are also exported from the package:
As well as the utility which gives you the ability to access the monaco instance (simply called "monaco")
Here is an example of a simple integration of monaco editor with a react project. You just need to import and render the Editor component. You can play with it here
import React from "react";
import ReactDOM from "react-dom";
import Editor from '@monaco-editor/react';
const App = () => <Editor height="90vh" language="javascript" />;
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
import React, { useState } from "react";
import ReactDOM from "react-dom";
import Editor from "@monaco-editor/react";
import { FillSpinner as Loader } from "react-spinners-kit";
import examples from "./examples";
function App() {
const [theme, setTheme] = useState("light");
const [language, setLanguage] = useState("javascript");
const [isEditorReady, setIsEditorReady] = useState(false);
function handleEditorDidMount() {
setIsEditorReady(true);
}
function toggleTheme() {
setTheme(theme === "light" ? "dark" : "light");
}
function toggleLanguage() {
setLanguage(language === "javascript" ? "python" : "javascript");
}
return (
<>
<button onClick={toggleTheme} disabled={!isEditorReady}>
Toggle theme
</button>
<button onClick={toggleLanguage} disabled={!isEditorReady}>
Toggle language
</button>
<Editor
height="90vh" // By default, it fully fits with its parent
theme={theme}
language={language}
loading={<Loader />}
value={examples[language]}
editorDidMount={handleEditorDidMount}
options={{ lineNumbers: "off" }}
/>
</>
);
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
You can play with it here
You may ask, "how can we get the value of the editor". There is a prop called editorDidMount
. It gets two arguments: the first is a function to get the editor value, the second is the editor instance.
Here is an example of how you can implement it:
You can play with it here
import React, { useRef, useState } from "react";
import ReactDOM from "react-dom";
import Editor from "@monaco-editor/react";
function App() {
const [isEditorReady, setIsEditorReady] = useState(false);
const valueGetter = useRef();
function handleEditorDidMount(_valueGetter) {
setIsEditorReady(true);
valueGetter.current = _valueGetter;
}
function handleShowValue() {
alert(valueGetter.current());
}
return (
<>
<button onClick={handleShowValue} disabled={!isEditorReady}>
Show value
</button>
<Editor
height="90vh"
language="javascript"
value={"// write your code here"}
editorDidMount={handleEditorDidMount}
/>
</>
);
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
If you want to create your own language or theme, or modify existing ones you may need to access to the monaco instance. So, to that purpose, there is a utility called "monaco" exported from library and you can use it like this:
import { monaco } from '@monaco-editor/react';
monaco
.init()
.then(monaco => {/* here is the instance of monaco, so you can use the `monaco.languages` or whatever you want */})
.catch(error => console.error('An error occurred during initialization of Monaco: ', error));
You can play with it here
By default, monaco files are being downloaded from CDN. There is an ability to change this behavior, and other things concerning the AMD loader. We have a default config file you can modify it by the shown way.
import { monaco } from '@monaco-editor/react';
// you can change the source of the monaco files
monaco.config({ paths: { vs: '...' } });
// you can configure the locales
monaco.config({ 'vs/nls': { availableLanguages: { '*': 'de' } } });
// or
monaco.config({
paths: {
vs: '...',
},
'vs/nls' : {
availableLanguages: {
'*': 'de',
},
},
});
NOTE: your passed object will be deeply merged with the default one.
It's handy to have access to the editor instance for some reason.
As we have already mentioned, the editorDidMount
prop gets the editor instance as a second argument.
Here is an example of how you can use the editor instance.
You can play with it here
import React, { useRef } from "react";
import ReactDOM from "react-dom";
import Editor from "@monaco-editor/react";
function App() {
const editorRef = useRef();
function handleEditorDidMount(_, editor) {
editorRef.current = editor;
// Now you can use the instance of monaco editor
// in this component whenever you want
}
function listenEditorChanges() {
editorRef.current.onDidChangeModelContent(ev => {
console.log(editorRef.current.getValue());
});
}
return (
<>
<button onClick={listenEditorChanges} disabled={!!editorRef.current}>
Press to listen editor changes (see console)
</button>
<Editor
height="90vh"
editorDidMount={handleEditorDidMount}
language="javascript"
/>
</>
);
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
The default export of the library is uncontrolled react component:
import Editor from '@monaco-editor/react'
We make it by default uncontrolled to keep the nature of the monaco editor as much as it is possible. And based on our experience we can say that in most cases it will cover your needs, as you can see in the examples above. And we highly recommend using that one.
But in any case, if you want a controlled one, there is an option for that. The library exports ControlledEditor
(as named export). It is the same as the default one (Editor
), plus it has onChange
method. It is working a little bit different comparing with, for example, the controlled input
field.
Here is onChange
prop, it will be called each time when the content of the editor is changed. It gets two arguments, first one is the "event" object of monaco, the second one is the current value of the editor.
You can use it without circulating the data, and just by returning it from onChange
simple setting the new value; see the example (You can play with it here)
import React from "react";
import ReactDOM from "react-dom";
import { ControlledEditor } from "@monaco-editor/react";
const BAD_WORD = "eval";
const WARNING_MESSAGE = " <- hey man, what's this?";
function App() {
const handleEditorChange = (ev, value) => {
return value.includes(BAD_WORD) && !value.includes(WARNING_MESSAGE)
? value.replace(BAD_WORD, BAD_WORD + WARNING_MESSAGE)
: value.includes(WARNING_MESSAGE) && !value.includes(BAD_WORD)
? value.replace(WARNING_MESSAGE, "")
: value;
};
return (
<ControlledEditor
height="90vh"
value={"// try to write e%v%a%l somewhere 😈 \n"}
onChange={handleEditorChange}
language="javascript"
/>
);
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
Or like in usual controlled components; see the example (You can play with it here)
import React, { useState } from "react";
import ReactDOM from "react-dom";
import { ControlledEditor } from "@monaco-editor/react";
const BAD_WORD = "eval";
const WARNING_MESSAGE = " <- hey man, what's this?";
function App() {
const [value, setValue] = useState("// try to write e%v%a%l somewhere 😈 \n");
const handleEditorChange = (ev, value) => {
setValue(
value.includes(BAD_WORD) && !value.includes(WARNING_MESSAGE)
? value.replace(BAD_WORD, BAD_WORD + WARNING_MESSAGE)
: value.includes(WARNING_MESSAGE) && !value.includes(BAD_WORD)
? value.replace(WARNING_MESSAGE, "")
: value
);
};
return (
<ControlledEditor
height="90vh"
value={value}
onChange={handleEditorChange}
language="javascript"
/>
);
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
import React from "react";
import ReactDOM from "react-dom";
import { ControlledEditor } from "@monaco-editor/react";
function App() {
const handleEditorChange = (ev, value) => {
return `"it doesn't matter what you are writing, I am staying here!!!"`;
};
return (
<ControlledEditor
height="90vh"
onChange={handleEditorChange}
language="javascript"
/>
);
}
const rootElement = document.getElementById("root");
ReactDOM.render(<App />, rootElement);
You can play with it here
electron
usersAs a usual React component, this one also works fine with an electron-react environment, without need to have a webpack configuration or other extra things. But there are several cases that developers usually face to and sometimes it can be confusing. Here they are:
import { monaco } from '@monaco-editor/react';
monaco.config({ paths: { vs: '../path-to-monaco' } });
monaco-editor
package installed and you want to load monaco from the node_modules
rather than from CDN: in that case, you can write something like this:function ensureFirstBackSlash(str) {
return str.length > 0 && str.charAt(0) !== '/'
? '/' + str
: str;
}
function uriFromPath(_path) {
const pathName = path.resolve(_path).replace(/\\/g, '/');
return encodeURI('file://' + ensureFirstBackSlash(pathName));
}
monaco.config({
paths: {
vs: uriFromPath(
path.join(__dirname, '../node_modules/monaco-editor/min/vs')
)
}
});
There were several issues about this topic that can be helpful too - 1 2 3 4
And if you use electron
with monaco
and react
and have faced an issue different than the above-discribed ones, please let us know to make this section more helpful.
Next.js
usersLike other React components, this one also works with Next.js
without a hitch. The part of the source that should be pre-parsed is optimized for server-side rendering, so, in usual cases, it will work fine, but if you want to have access, for example, to monacoInstance
you should be aware that it wants to access the document
object, and it requires browser environment. Basically you just need to avoid running that part out of browser environment, there are several ways to do that. The one is described here.
And if you use monaco
with Next.js
and have faced an issue different than the above-described one, please let us know to make this section more helpful.
First, let's understand what exactly the library provides us. There are two major parts exported from the library: the Editor
component and the monaco
utility.
The Editor
is a React component; it's a logic of bindings between monaco editor and the React environment. It receives props and organizes their appliance to the monaco.
The monaco
utility is a collection of functions that are being used to setup monaco editor into your browser. monaco.init()
handles the whole initialization process and returns to you the instance of the monaco editor - monaco.init().then(monacoInstance => ...)
. The Editor
component uses this utility, gains access to monacoInstance
, and creates the editor. Here is the implementation of the Editor
component. You can use the same technique to create your own Editor
. You can just import the monaco
utility, access to monacoInstance
, and create your own editor with your own custom logic. The shortest way to do it:
import { monaco } from '@monaco-editor/react';
monaco.init().then(monacoInstance => {
const wrapper = document.getElementById("root");
const properties = {
value: "function hello() {\n\talert('Hello world!');\n}",
language: "javascript",
}
monacoInstance.editor.create(wrapper, properties);
});
That's all. You can wrap it into a React component, or Vue, or Angular or leave it as vanilla one or whatever you want; it's written in pure js.
You can play with the example here
Name | Type | Default | Description |
---|---|---|---|
value | string | The editor value | |
language | enum: ... | All languages that are supported by monaco-editor | |
editorDidMount | func | noop | Signature: function(getEditorValue: func, monaco: object) => void This function will be called right after monaco editor is mounted and is ready to work. It will get the editor instance as a second argument |
theme | enum: 'light' | 'dark' | 'light' | Default themes of monaco |
line | number | The line to jump on it | |
width | union: number | string | '100%' | The width of the editor wrapper |
height | union: number | string | '100%' | The height of the editor wrapper |
loading | union: React element | string | 'Loading...' | The loading screen before the editor is loaded |
options | object | {} | IEditorOptions |
className | string | monaco container className | |
wrapperClassName | string | monaco container wrapper className |
Name | Type | Default | Description |
---|---|---|---|
original | string | The original source (left one) value | |
modified | string | The modified source (right one) value | |
language | enum: ... | All languages that are supported by monaco-editor | |
originalLanguage | enum: ... | *language | This prop gives you the opportunity to specify the language of the original source separately, otherwise, it will get the value of language property. (Possible values are the same as language ) |
modifiedLanguage | enum: ... | *language | This prop gives you the opportunity to specify the language of the modified source separately, otherwise, it will get the value of language property. (Possible values are the same as language ) |
editorDidMount | func | noop | Signature: function(getModifiedEditorValue: func, getOriginalEditorValue: func, monaco: object) => void This function will be called right after monaco editor is mounted and is ready to work. It will get the editor instance as a third argument |
theme | enum: 'light' | 'dark' | 'light' | Default themes of monaco |
width | union: number | string | '100%' | The width of the editor wrapper |
height | union: number | string | '100%' | The height of the editor wrapper |
loading | union: React element | string | 'Loading...' | The loading screen before the editor is loaded |
options | object | {} | IDiffEditorOptions |
className | string | monaco container className | |
wrapperClassName | string | monaco container wrapper className |
Extended from Editor (the same props as in Editor plus onChange introduced below)
Name | Type | Default | Description |
---|---|---|---|
onChange | func | noop | Signature: function(ev: any, value: string | undefined) => string | undefined onChange method of monaco editor. It will be called right after the content of the current model is changed. It gets two arguments: first one is the "event" object of monaco, second one is the current value. NOTE: onChange can return the new value, which will be inserted to editor |
3.7.5
state-local
importFAQs
Monaco Editor for React - use the monaco-editor in any React application without needing to use webpack (or rollup/parcel/etc) configuration files / plugins
The npm package @monaco-editor/react receives a total of 875,967 weekly downloads. As such, @monaco-editor/react popularity was classified as popular.
We found that @monaco-editor/react demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
Security News
The Linux Foundation is warning open source developers that compliance with global sanctions is mandatory, highlighting legal risks and restrictions on contributions.
Security News
Maven Central now validates Sigstore signatures, making it easier for developers to verify the provenance of Java packages.