VZCode offers a multiplayer code editing environment that caters to a real-time collaborative development experience. It's the code editor component of VizHub, and can also be used independently from VizHub.
You can use VZCode as an editor for your current directory if you install it globally with:
npm install -g vzcode
To open it, navigate to the directory of your choice in the terminal, then run
vzcode
A new browser window should automatically pop open with the files in that directory exposed for interactive multiplayer editing.
Note: A known shortcoming of VZCode is that it does not (yet) watch for changes from the file system. VZCode assumes that no other programs are modifying the same files. If another program does modify the same files at the same time, each VZCode auto-save will clobber the changes made by the other program.
To invite others to edit with you in real time, share your IP in your LAN with them to access. You can also expose your VZCode instance publicly using a tunneling service such as NGrok. In fact, if you set your NGROK_TOKEN environment variable, VZCode will automatically connect and log the public URL when it starts.
-
Backlog & Issues: Use our Kanban Board to track the backlog, good first issues, and known bugs.
-
Local Setup:
cd vzcode
npm install
npm run test-interactiveIf you're on Windows, you'll also need to do this additional step:
npm install @rollup/rollup-win32-x64-msvc
For local development with hot reloading (for client-side changes only), keep the server running, started by npm run test-interactive, and also in a separate terminal run this:
npm run devThis will expose http://localhost:5173/ and proxy the requests for data to the server (running on port 3030).
You can also use npm link to set up the vzcode NPM package in another project to point to your clone of the repository. This can be useful when testing out how vzcode functions as a dependency.
- Browser-based editing environment
- Sidebar with file listings (directories support pending)
- Real-time collaboration via LAN or using services like NGrok
- File management through tabs
- Basic file operations: create, rename, delete
- Syntax highlighting for web languages
- Interactive widgets for editing numbers (Alt+drag on numbers)
- Auto-save, debounced after code changes
- Auto-save, throttled while using interactive widgets to support hot reloading environments
-
Local Editor: Use VZCode like VSCode or Vim:
npm install -g vzcode cd myProject vzcode -
Project-specific Editor: Embed VZCode within your project for developers who might not have a preferred IDE, or to provide an editing experience that seamlessly integrates with hot reloading.
{ "name": "example-project", "scripts": { "edit": "vzcode" }, "dependencies": { "vzcode": "^0.1.0" } }Run using
npm run edit.For example, as the editor of Vite D3 Template, which showcases the throttled auto-save behavior of VZCode while using the interactive widgets in the context of editing files served by the Vite dev server which supports hot reloading.
-
Hosting with Ngrok: Allow external collaborators to join your VZCode session.
-
With Ngrok Globally Installed: (Requires authenticated Ngrok account)
vzcode ngrok http 3030
-
Through VZCode: Coming soon!
-
-
Staging Site Editor (Experimental): Use VZCode on a persistent server, making code changes with multiplayer mode remotely, reflecting instantly on a staging site.
VZCode includes a visual editor feature that allows you to create interactive widgets (like sliders and color pickers) for tweaking configuration parameters in real-time. This is particularly useful for data visualizations where you want to adjust visual properties dynamically without editing code.
The visual editor works by:
- Loading a
config.jsonfile that defines configuration parameters - Defining interactive widgets in the
visualEditorWidgetsarray - Listening for configuration updates via
postMessage - Re-rendering the visualization when configuration changes
Your project should include a config.json file with the following structure:
{
"xValue": "sepal_length",
"yValue": "sepal_width",
"margin": {
"top": 20,
"right": 67,
"bottom": 60,
"left": 60
},
"fontSize": "14px",
"fontFamily": "sans-serif",
"pointRadius": 17.2675034867503,
"pointFill": "black",
"pointOpacity": 0.7,
"loadingFontSize": "24px",
"loadingFontFamily": "sans-serif",
"loadingMessage": "Loading...",
"dataUrl": "iris.csv",
"colorScale": {
"setosa": "#1f77b4",
"versicolor": "#ff7f0e",
"virginica": "#2ca02c"
},
"visualEditorWidgets": [
{
"type": "slider",
"label": "Point Radius",
"property": "pointRadius",
"min": 1,
"max": 30
},
{
"type": "slider",
"label": "Left Margin",
"property": "margin.left",
"min": 0,
"max": 200
}
]
}The visualEditorWidgets array defines the interactive controls that will be available in the visual editor. Each widget has the following properties:
- type: The type of widget. Supported types are:
"slider"- A slider control for numeric values"checkbox"- A checkbox for boolean values"textInput"- A text input field for string values"dropdown"- A dropdown selector with predefined options"color"- A color picker with HCL (Hue, Chroma, Lightness) sliders
- label: Human-readable label displayed in the UI
- property: The configuration property to modify (supports nested properties using dot notation like
"margin.left") - min: Minimum value (required for
sliderwidgets) - max: Maximum value (required for
sliderwidgets) - step: Step increment for
sliderwidgets (optional, defaults to 1 if not specified) - options: Array of string options (required for
dropdownwidgets)
To make your visualization work with the visual editor, you need to:
Use d3-rosetta's state management to load the configuration file:
import { createStateField } from 'd3-rosetta';
import { json } from 'd3';
export const viz = (container, state, setState) => {
const stateField = createStateField(state, setState);
const [config, setConfig] = stateField('config');
// Load config first if not already loaded
if (!config) {
json('config.json')
.then((loadedConfig) => {
setConfig(loadedConfig);
})
.catch((error) => {
console.error('Failed to load config:', error);
});
return;
}
// ... rest of your visualization code
};Add an event listener to receive configuration updates from the visual editor:
export const viz = (container, state, setState) => {
// ... other code ...
// Set up postMessage event listener if not already set
if (!state.eventListenerAttached) {
window.addEventListener('message', (event) => {
// Verify the message contains config data
if (event.data && typeof event.data === 'object') {
// Update the config with the received data
setState((state) => ({
...state,
config: {
...state.config,
...event.data,
},
}));
}
});
// Mark that we've attached the event listener to avoid duplicates
setState((prevState) => ({
...prevState,
eventListenerAttached: true,
}));
}
// ... rest of your visualization code
};Use the configuration values when rendering your visualization:
// Example: Rendering data points with configurable properties
export const renderMarks = (
svg,
{
data,
xScale,
yScale,
xValue,
yValue,
pointRadius,
colorScale,
pointOpacity,
},
) =>
svg
.selectAll('circle.data-point')
.data(data)
.join('circle')
.attr('class', 'data-point')
.attr('cx', (d) => xScale(xValue(d)))
.attr('cy', (d) => yScale(yValue(d)))
.attr('r', pointRadius) // Uses config value
.attr('fill', (d) => colorScale[d.species])
.attr('opacity', pointOpacity); // Uses config valueDisplay loading states while data is being fetched:
export const renderLoadingState = (
svg,
{ x, y, text, shouldShow, fontSize, fontFamily },
) => {
svg
.selectAll('text.loading-text')
.data(shouldShow ? [null] : [])
.join('text')
.attr('class', 'loading-text')
.attr('x', x)
.attr('y', y)
.attr('text-anchor', 'middle')
.attr('dominant-baseline', 'middle')
.attr('font-size', fontSize) // Uses config value
.attr('font-family', fontFamily) // Uses config value
.text(text);
};Handle asynchronous data requests with proper state management:
export const asyncRequest = (
setDataRequest,
loadAndParseData,
) => {
setDataRequest({ status: 'Loading' });
loadAndParseData()
.then((data) => {
setDataRequest({ status: 'Succeeded', data });
})
.catch((error) => {
setDataRequest({ status: 'Failed', error });
});
};Here's how everything fits together in your main visualization file:
import { createStateField } from 'd3-rosetta';
import { setupSVG } from './setupSVG.js';
import { renderLoadingState } from './renderLoadingState.js';
import { asyncRequest } from './asyncRequest.js';
import { loadAndParseData } from './loadAndParseData.js';
import { scatterPlot } from './scatterPlot.js';
import { measureDimensions } from './measureDimensions.js';
import { json } from 'd3';
export const viz = (container, state, setState) => {
const stateField = createStateField(state, setState);
const [dataRequest, setDataRequest] =
stateField('dataRequest');
const [config, setConfig] = stateField('config');
// Set up postMessage event listener if not already set
if (!state.eventListenerAttached) {
window.addEventListener('message', (event) => {
if (event.data && typeof event.data === 'object') {
setState((state) => ({
...state,
config: {
...state.config,
...event.data,
},
}));
}
});
setState((prevState) => ({
...prevState,
eventListenerAttached: true,
}));
}
// Load config first if not already loaded
if (!config) {
json('config.json')
.then((loadedConfig) => {
setConfig(loadedConfig);
})
.catch((error) => {
console.error('Failed to load config:', error);
});
return;
}
// After config is loaded, load the data
if (!dataRequest) {
return asyncRequest(setDataRequest, () =>
loadAndParseData(config.dataUrl),
);
}
const { data, error } = dataRequest;
const dimensions = measureDimensions(container);
const svg = setupSVG(container, dimensions);
renderLoadingState(svg, {
shouldShow: !data,
text: error
? `Error: ${error.message}`
: config.loadingMessage,
x: dimensions.width / 2,
y: dimensions.height / 2,
fontSize: config.loadingFontSize,
fontFamily: config.loadingFontFamily,
});
if (data) {
// Transform string properties in config to accessor functions
const configWithAccessors = {
...config,
xValue: (d) => d[config.xValue],
yValue: (d) => d[config.yValue],
};
scatterPlot(svg, {
...configWithAccessors,
data,
dimensions,
});
}
};Your index.html should include a container element and proper script imports:
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>Visual Editor Example</title>
<link rel="stylesheet" href="styles.css" />
<script type="importmap">
{
"imports": {
"d3": "https://cdn.jsdelivr.net/npm/[email protected]/+esm",
"d3-rosetta": "https://cdn.jsdelivr.net/npm/[email protected]/+esm"
}
}
</script>
</head>
<body>
<div id="viz-container"></div>
<script type="module" src="index.js"></script>
</body>
</html>Use CSS to ensure your visualization container fills the viewport:
#viz-container {
position: fixed;
inset: 0;
}- Use d3-rosetta: The visual editor is designed to work with d3-rosetta's unidirectional data flow pattern
- Modular Code: Separate your rendering logic into small, focused functions
- Configuration-Driven: Make visual properties configurable through
config.json - Nested Properties: Use dot notation (e.g.,
"margin.left") to modify nested configuration values - Hot Reloading: The visual editor works seamlessly with VZCode's throttled auto-save for hot reloading environments
For a complete working example, see the visualEditor sample directory in this repository.
Built using technologies such as:
The project aims to:
- Offer a feasible alternative to VSCode + Live Share for frontend development
- Facilitate easy project-specific IDE embedding
- Enhance user experience with advanced features
- Support instant feedback through hot reloading
- Keep improving based on feedback
- Serve as a core for VizHub's next-gen editor
VZCode is inspired by VizHub v2. VizHub V2's code editor supports real-time collaboration using older versions of libraries such as CodeMirror 5 and JSON0 OT. For VZCode, the aim is to leverage the latest technologies to deliver a more streamlined experience.

