Serverless coding environments for the web
npm install playground-elements
Serverless coding environments for the web.

Overview
• Getting Started
• Project files
• Module resolution
• TypeScript
• Hiding & Folding
• Custom layouts
• Extending the editor
• Bundling
• Sandbox security
• Components
• Styling
• Syntax highlighting
• Contributing
• FAQ
Playground Elements are a set of components for creating interactive editable
coding environments on the web, with live updating previews. You can use
Playground Elements to:
- Embed editable code examples in your documentation.
- Build interactive tutorials and example galleries.
- Build full-featured coding sandboxes (think Glitch or JSBin).
#### 🤯 No backend required
Unlike other coding environments, Playground never sends code to a backend
server. Instead, Playground uses a Service
Worker to
create a virtual URL-space that runs 100% within the browser. If you can host
static files, you can host a Playground.
####
TypeScript support
Playground automatically compiles .ts files using TypeScript, and
automatically fetches typings for your imports in order to display errors.
Compilation happens in a Web Worker on a separate thread, so your page stays
responsive.
#### 🧩 Web Components
Playground uses Web Components, so it doesn't require a framework. But it will
play nicely with any framework you're already using, like React, Vue, and
Angular.
#### 🍱 Mix-and-match for flexible layout
Playground is broken up into small components like an editor, file picker, and
preview. Mix-and-match components to create any layout you want, or just use for an easy out-of-the-box experience.
#### 🎨 Themable
Playground is fully themeable with CSS Custom Properties, down to the color of
each kind of syntax-highlighted token. You can import themes from VSCode using
the configurator, and it
comes with a number of presets too.
---
---
Install from NPM:
``sh`
npm i playground-elements
`html`
type="module"
src="/node_modules/playground-elements/playground-ide.js"
>
Create a element in your HTML, and specify your project files
inline:
`html
`
Use a server like
@web/dev-server to handle
bare module import resolution automatically:
`sh`
npm i -D @web/dev-server
npx web-dev-server --node-resolve --watch
Or, use a tool like Rollup to resolve bare
module imports to paths at build time. If you need more help with building and
serving, check out the Modern Web Guides.
Playground is supported by all modern browsers. It requires support for custom
elements, JS modules, service workers, and web workers.
Supported:
Chrome
Firefox
Safari
Edge
Unsupported:
Internet Explorer
There are 3 ways to specify the files of a playground project:
Add one or more tags within your source as </script>.
`html
`
Set the project-src attribute or projectSrc property to a JSON file with format:
| Property | Description |
| ------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| files | An object mapping filenames to file data. |files.content
| | Optional text content of the file. If omitted, a fetch is made to retrieve the file by filename, relative to the manifest URL. |files.contentType
| | Optional MIME type of the file. If omitted, type is taken from either the fetch response Content-Type header, or inferred from the filename extension when content is set. |files.label
| | Optional label for display in playground-tab-bar. If omitted, the filename is displayed. |files.hidden
| | If true, the file won't be visible in playground-tab-bar. |files.selected
| | If true, this file's tab will be selected when the project is loaded. Only one file should have this field set. |extends
| | Optional URL to another JSON config file to extend from. Configs are deeply merged. URLs are interpreted relative to the URL of each extendee config. |cdnBaseUrl
| | Optional URL for the underlying npm CDN base url. Confirmed tested are htts://unpkg.com and https://cdn.jsdelivr.net/npm |
`html`
`json`
{
"files": {
"index.html": {},
"typescript.ts": {
"content": "console.log('hello');"
},
"javascript.js": {
"contentType": "text/javascript"
},
"styles.css": {
"label": "Style"
}
}
}
In JavaScript, directly set the config property to an object. The format is
identical to the JSON config file.
`js`
const ide = document.querySelector('playground-ide');
ide.config = {
files: {
'index.html': {},
'typescript.ts': {
content: "console.log('hello');",
},
},
};
If both project-src and config are set, then the one set most recently has
precedence. When either are set, inline scripts are ignored.
By default, bare module specifiers in JavaScript and TypeScript files are
transformed to special ./node_modules/ URLs, and fetched behind-the-scenes
from unpkg.com by default at the latest version.
`js
// What you write:
import {html} from 'lit';
// What playground serves:
import {html} from './node_modules/lit@2.0.2/index.js';
// What playground fetches behind-the-scenes unless you set cdnBaseUrl:`
// https://unpkg.com/lit@latest
To customize the version of a module you import, create a file called
package.json in your project containing adependencies
map. This works exactly like it does when using NPM locally.
`json`
{
"dependencies": {
"lit": "^2.0.2"
}
}
> TIP: Use the hidden attribute orpackage.json
> property to hide the file from
> being displayed in the list of project files, if you don't want the end-user
> to be able to see or modify it.
Playground supports Node-style export
conditions when
resolving modules in dependencies, and sets the following
conditions:
module, import, development, and browser.
For full control over module resolution, you can configure an _import map_. You
may want to do this to change CDNs or point to a locally served copy of a
module:
`js`
{
"files": { ... },
"importMap": {
"imports": {
"lit": "https://cdn.skypack.dev/lit@^2.0.2",
"lit/": "https://cdn.skypack.dev/lit@^2.0.2/"
}
}
}
When using inline project files, you can specify your import map like so:
`html`
...
If an import map is defined, but does not contain an entry for a bare module,
then playground defaults to the unpkg.com URL unless cdnBaseUrl is set.
Playground automatically compiles .ts, .tsx, and .jsx files using
TypeScript.
The following compiler settings are used:
| Name | Value |
| ------------------------------------------------------------------------------------------ | ---------- |
| target | es2021 |module
| | esnext |moduleResolution
| | nodenext |experimentalDecorators
| | true |allowJs
| | true |jsx
| | react |
Note that when you import from another project module, the import
statement should use the .js extension (the same as you would do when runningtsc locally):
`ts`
import './my-other-module.js';
You may also include any Definitely Typed (@types) packages for type checkingpackage.json
during compilation by listing it as a dependency in the project's file.
If a region of code in a Playground project file is surrounded by
playground-hide and playground-hide-end comments, then that region won't be
visible or editable by the user, but it will still be compiled and served.
Similarly, if a region is surrounded by playground-fold andplayground-fold-end comments, then the region will be replaced with a … that
expands to reveal the original editable code when clicked.
Use these special regions to help users focus on a particular part of a file, by
de-emphasizing boilerplate or unrelated code.
#### JavaScript fold example
Note that JavaScript // style comments are not supported.
`ts
/ playground-fold /
import {html, LitElement} from 'lit';
/ playground-fold-end /
class MyElement extends LitElement {
render() {
return htmlHello ;
}
}
/ playground-fold /
customElements.define('my-element', MyElement);
`
Result:

#### HTML hide example
`html`
Result:

#### Disabling
Hiding and folding is enabled by default, but can be disabled by setting the
pragmas property to "off" (disabled with comments hidden) or "off-visible"pragmas
(disabled with comments visible). The property is available on ide,file-editor, and code-editor.
provides a complete out-of-the-box experience that's a good
start for many use-cases, but you can mix-and-match the various Playground
sub-components to make your custom layouts.
For example, say we need a layout with an editor above, a preview below, and
only one particular file from the project visible — like this:

To do this, first import just the components you need. The main
playground-elements import loads all Playground elements, but when making a
custom layout it's a good idea to only load the sub-components you're actually
using. This will make your JavaScript bundle smaller.
`html`
Next create a , with some inline project files. We could alsoid
write our project files separately, and specify them in a JSON manifest. This
project element manages the virtual file system, and coordinates with the
Playground workers. We give it a unique , which we'll use to connect up the
editor and preview.
`html
`
Next create an editor and preview. Connect both to the project by setting the
property attribute to the project element's id. We could also directly setproject
the _property_ to the project element, if we were using JavaScript.
By setting the filename attribute on the editor, we've pinned it to one
particular file. Since we didn't include a , there's no
way for the user to see or switch to other files in the project.
` html`
filename="index.ts"
>
Finally, add a little style:
`html`
Playground's code editor is built on CodeMirror 6, and can be extended with any CodeMirror extension. This allows for deep customization of the editor's behavior, such as adding new themes, keymaps, autocompletion sources, and more.
There are two ways to apply extensions: programmatically and declaratively.
The , , and components all have an extensions property which accepts a CodeMirror Extension object (or an array of them).
`js
import {EditorView} from '@codemirror/view';
const ide = document.querySelector('playground-ide');
const myTheme = EditorView.theme({
'&': {
backgroundColor: 'lightpink',
},
});
ide.extensions = myTheme;
`
For simpler use-cases, or for when you want to package an extension as a reusable HTML element, you can use declarative extensions.
A declarative extension is a custom element that provides one or more CodeMirror extensions. Playground elements will automatically find any declarative extension elements placed in their extensions slot and apply them.
Here's an example of a custom theme packaged as a declarative extension:
`html
`
The codemirrorExtensionMixin handles the communication with the playground editor. Your class just needs to implement the getExtensions() method.
Playground uses a Web
Worker
to perform TypeScript compilation. If you are bundling or otherwise modifying
the layout of the playground-elements NPM package, you may need to add special
handling for this file.
Use the Rollup
@web/rollup-plugin-import-meta-assets
plugin to automatically copy the worker script into the correct location. See
examples/rollup
for an example configuration.
Webpack 5+ automatically supports loading Web
Workers with no additional plugins.
See
examples/webpack
for an example configuration.
If you are bundling in another way, you'll need to configure your build so that
the file node_modules/playground-elements/playground-typescript-worker.js is
copied into the same directory as your bundle.
For example, if you bundled playground elements into ./js/app.js, then you./js/playground-typescript-worker.js
should copy the worker module to .
> ⚠️ Changing the sandbox base URL from the default can create a security
> vulnerability for your site if not done carefully. Do not change the default
> unless you have a specific reason to, and please read this entire section
> carefully.
The sandboxBaseUrl property and sandbox-base-url attribute can be used to
override the origin where untrusted code will execute when displaying Playground
previews. The default origin is unpkg.com, which is secure because it is
unprivileged and cannot modify the host window.
You may wish to override this default sandbox base URL if you do not want a
dependency on unpkg.com, e.g. for isolation from outages, or because yourunpkg.com
network does not have access to it. Note that Playground currently also uses by default (unless you set cdnBaseUrl) to retrieve imported barecdnBaseUrl
modules that are not otherwise handled by an import map,
so to remove the dependency on unpkg, you should also set . See the
API docs for more info.
Playground previews work by using a service
worker.
This service worker takes control over requests to a particular URL space,
allowing it to respond to HTTP requests using the files from your local project,
instead of from a remote server. The playground preview component contains an
When JavaScript in this preview
The JavaScript in Playground project files should always be considered untrusted
and potentially malicious. This is particularly the case if you implement a
_share_ feature, because a user can be tricked into executing malicious code
simply by visiting a URL.
By default, the sandbox base URL is
https://unpkg.com/playground-elements@. This isunpkg.com
a secure default because is unprivileged and cannot modify the host
window.
If you change the sandbox base URL from the default, ensure that the new URL
meets all of the following requirements:
1. Must be a different
origin to the
origin hosting the Playground components. This prevents untrusted code from
modifying the parent window using window.parent, e.g. to change your
sign-in link to a malicious URL.
> NOTE: It is highly recommended to furthermore use either an entirely
> different _site_, or to use the Origin-Agent-Cluster header, to improve
> performance and prevent lockups. See Process
> isolation for more information.
2. Must not have access to any sensitive cookies. This prevents untrusted code
from e.g. reading and forwarding your user's authentication token.
3. Must not have access to any sensitive resources or APIs, either through the
same-origin
policy,
or through CORS
headers that grant the origin access to resources on other origins. This
prevents untrusted code from e.g. making a request to your get_credit_cardchange_password
or APIs.
4. Must serve the following two pre-minified files from the
playground-elements NPM package _at the same version as your importedplayground-service-worker.js
components_:
- playground-service-worker-proxy.html
-
#### Process isolation
Some browsers such as Chrome are sometimes able to allocate a separate process
or thread for iframes. This is highly desirable for Playground, because it
improves responsiveness and prevents full lockups (resulting from e.g. an
infinite loop accidentally written by a user).
By default, this iframe process isolation can only occur if the iframe and the
parent window are _different sites_. While an _origin_ is defined by (protocol +
subdomain + top-level domain + port), a _site_ is defined only by (protocol +
top-level domain). For example, example.com and foo.example.com areexample.com
different-origin but same-site, whereas and example.net are
different-origin and different-site.
Alternatively, if the Origin-Agent-Cluster: ?1 header is set on all server
responses from one or the other origins, then iframe process isolation can also
occur with different-origin but same-site configurations. Note that this header
must truly be set on _all_ responses from the origin, because the browser will
remember the setting based on the _first response_ it gets from that origin. See
_"Requesting performance isolation with the Origin-Agent-Cluster
header"_ for more information about this
header.
---
All-in-one project, editor, file switcher, and preview with a horizontal side-by-side layout.
| Name | Type | Default | Description |
| -------------------- | -------------------------------- | ------------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| projectSrc | string | undefined | URL of the project manifest to load |config
| | ProjectManifest | undefined | Get or set the project configuration and files, (details). |cdnBaseUrl
| | string | "" | Change the underlying npm CDN base url. Confirmed tested are htts://unpkg.com and https://cdn.jsdelivr.net/npm. Note: Default "" resolves to https://unpkg.com |lineNumbers
| | boolean | false | Render a gutter with line numbers in the editor |lineWrapping
| | boolean | false | If true, long lines are wrapped, otherwise the editor will scroll. |editableFileSystem
| | boolean | false | Allow adding, removing, and renaming files |resizable
| | boolean | false | Allow dragging the line between editor and preview to change relative sizes |sandboxBaseUrl
| | string | _module parent directory_ | Base URL for untrusted JavaScript execution (⚠️ use with caution, see sandbox security). Resolved relative to the module containing the definition of . |pragmas
| | "on" \| "off" \| "off-visible" | "on" | How to handle playground-hide and playground-fold comments (details). |modified
| | boolean | false | Whether the user has modified, added, or removed any project files. Resets whenever a new project is loaded. |htmlFile
| | string | "index.html" | The HTML file used in the preview. |noCompletions
| | boolean | false | If interactive code completions should be shown. This setting only applies to TypeScript files. |extensions
| | Extension \| Extension[] | undefined | A CodeMirror extension to apply to the editor (details). |
| Name | Description |
| ------------ | --------------------------------------------------------------------- |
| default | Inline files (details). |extensions
| | Declarative CodeMirror extensions (details). |
---
Invisible element that coordinates the filesystem, build worker, and service
worker. Unless you're using , all Playground layouts need a
project element.
| Name | Type | Default | Description |
| ---------------- | ----------------------------- | ------------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| projectSrc | string | undefined | URL of a project files manifest to load. |config
| | ProjectManifest | undefined | Get or set the project configuration and files, (details). |cdnBaseUrl
| | string | "" | Change the underlying npm CDN base url. Confirmed tested are htts://unpkg.com and https://cdn.jsdelivr.net/npm. Note: Default "" resolves to https://unpkg.com |sandboxScope
| | string | "playground-elements" | The service worker scope to register on. |sandboxBaseUrl
| | string | _module parent directory_ | Base URL for untrusted JavaScript execution (⚠️ use with caution, see sandbox security). Resolved relative to the module containing the definition of . |diagnostics
| | Map | undefined | Map from filename to array of Language Server Protocol diagnostics resulting from the latest compilation. |modified
| | boolean | false | Whether the user has modified, added, or removed any project files. Resets whenever a new project is loaded. |
| Method | Description |
| ---------------------------------------------- | ------------------------------------------------------------ |
| addFile(filename: string) | Create a new file. Type is inferred from filename extension. |deleteFile(filename: string)
| | Delete a file. |renameFile(oldName: string, newName: string)
| | Rename a file. |
| Name | Description |
| --------- | ----------------------------------------- |
| default | Inline files (details) |
| Event | Description |
| -------------- | -------------------------------------- |
| filesChanged | A file was added, removed, or renamed. |urlChanged
| | The preview URL has changed |compileStart
| | A build has started. |compileEnd
| | A build has completed. |
---
| Property | Type | Default | Description |
| -------------------- | -------------------------------- | ----------- | ----------------------------------------------------------------------------------------------------------------- |
| project | string \| PlaygroundProject | undefined | The project this bar is associated with. Either the itself, or its id in the host scope. |editor
| | string \| PlaygroundFileEditor | undefined | The editor this bar controls. Either the itself, or its id in the host scope. |editableFileSystem
| | boolean | false | Allow adding, removing, and renaming files |
---
| Name | Type | Default | Description |
| --------------- | --------------------------------- | ----------- | ------------------------------------------------------------------------------------------------------------------------------ |
| project | string \| PlaygroundProject | undefined | The project that this editor is associated with. Either the node itself, or its id in the host scope. |filename
| | string | undefined | The name of the project file that is currently being displayed. Set when changing tabs. Does not reflect to attribute. |type
| | "js" \| "ts" \| "html" \| "css" | undefined | File type. |lineNumbers
| | boolean | false | Render a gutter with line numbers in the editor |pragmas
| | "on" \| "off" \| "off-visible" | "on" | How to handle playground-hide and playground-fold comments (details). |readonly
| | boolean | false | Do not allow edits |noCompletions
| | boolean | false | If interactive code completions should be shown. This setting only applies to TypeScript files. |extensions
| | Extension \| Extension[] | undefined | A CodeMirror extension to apply to the editor (details). |
| Name | Description |
| ------------ | --------------------------------------------------------------------- |
| extensions | Declarative CodeMirror extensions (details). |
---
A pure text editor based on CodeMirror with syntax highlighting for HTML, CSS, JavaScript, and TypeScript.
| Name | Type | Default | Description |
| --------------- | --------------------------------- | ----------- | -------------------------------------------------------------------------------------------------- |
| value | string | "" | Code as string |type
| | "js" \| "ts" \| "html" \| "css" | undefined | Language of the file to syntax highlight |readonly
| | boolean | false | Do not allow edits |lineNumbers
| | boolean | false | Render a gutter with line numbers in the editor |pragmas
| | "on" \| "off" \| "off-visible" | "on" | How to handle playground-hide and playground-fold comments (details). |documentKey
| | object | undefined | Editor history for undo/redo is isolated per documentKey. Default behavior is a single instance. |noCompletions
| | boolean | false | If interactive code completions should be shown. This setting only applies to TypeScript files. |extensions
| | Extension \| Extension[] | undefined | A CodeMirror extension to apply to the editor (details). |
| Name | Description |
| ------------ | --------------------------------------------------------------------- |
| extensions | Declarative CodeMirror extensions (details). |
| Event | Description |
| -------- | -------------------------------------------------------------------------------------------------------------------------------------------------- |
| change | User made an edit to the active file (note: this event is not fired for programmatic changes to the value property nor for the user changing tabs) |
The playground code editor extends the
CodeMirror default keyboard shortcuts
with the following:
| Keyboard shortcut | Description |
| ----------------------- | -------------------------------------- |
| Ctrl + Space | Trigger code completion when supported |Ctrl + /
| or Cmd + / | Toggle line comments |ESC
| | De-focus the code editor |
---
| Name | Type | Default | Description |
| ---------- | --------------------------- | -------------- | ------------------------------------------------------------------------------------------------------------------------------ |
| project | string PlaygroundProject | undefined | The project that this editor is associated with. Either the node itself, or its id in the host scope. |location
| | string | "" | |htmlFile
| | string | "index.html" | The HTML file used in the preview. |iframe
| | HTMLIFrameElement \| null | null | A reference to the internal iframe element that is used to render the preview. |
---
Floating controls for adding, deleting, and renaming files.
| Name | Type | Default | Description |
| --------------- | --------------------------------------------- | ----------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| state | "closed" \| "menu" \| "rename" \| "newfile" | "closed" | The kind of control to display.closed: Hidden.menu: Menu with "Rename" and "Delete" items.rename: Control for renaming an existing file.newfile: Control for creating a new file. |filename
| | string | undefined | When state is menu or newfile, the name of the relevant file. |anchorElement
| | HTMLElement | undefined | Absolutely position these controls at the bottom-left corner of this element. |
| Event | Detail | Description |
| --------- | -------------------- | ---------------------------------------------------------- |
| newFile | {filename: string} | The specified new file was created through these controls. |
TIP: Use the configurator
to quickly experiment with themes and other customizations.
| Name | Default | Description |
| ------------------------------------------------ | ----------------------------------------------------------------------------- | ---------------------------------------------------------------------------------------------------------------------------------- |
| --playground-bar-height | 40px | height of the tab bar and the preview bar |--playground-code-font-family
| | monospace | font-family of code in the editor |--playground-code-font-size
| | 14px | font-size of code in the editor |--playground-code-line-height
| | 1.4em | line-height of code in the editor |--playground-code-TOKEN-color
| | _various_ | Color of each kind of TOKEN in syntax highlighted-code. See the syntax highlighting section for details. |--playground-highlight-color
| |  #6200EE | Color of the active file-picker tab label and indicator, and the preview loading bar |--playground-code-background
| |  #FFFFFF | background of the code editor |--playground-code-gutter-background
| |  var(--playground-code-background, #FFFFFF) | background of the line-numbers gutter |--playground-code-gutter-box-shadow
| | none | box-shadow of the line-numbers gutter |--playground-code-gutter-border-right
| | none | border-right of the line-numbers gutter |--playground-code-linenumber-color
| |  #767676 | color of line-numbers |--playground-code-cursor-color
| |  var(--playground-code-default-color, #000000) | color of the cursor |--playground-code-selection-background
| |  #D7D4F0 | background of selected text |--playground-code-padding
| | 0 | padding around the editor code block |--playground-code-line-padding
| | 0 4px | padding around each line of code |--playground-tab-bar-background
| |  #EAEAEA | background of the file-picker tab bar |--playground-tab-bar-active-background
| |  transparent | background of the active file-picker tab |--playground-tab-bar-foreground-color
| |  #000000 | Text color of inactive file-picker tabs |--playground-tab-bar-active-color
| |  var(--playground-highlight-color, #6200EE) | Text color of active file-picker tab |--playground-tab-bar-indicator-color
| |  var(--playground-highlight-color, #6200EE) | color of active file-picker tab indicator (use transparent to hide) |--playground-tab-bar-font-size
| | 14px | font-size of tab titles in the file-picker tab bar |--playground-preview-toolbar-background
| |  #FFFFFF | background of the preview toolbar |--playground-preview-toolbar-foreground-color
| |  #444444 | Text color of the preview toolbar |--playground-border
| | 1px solid #DDDDDD | Outer and inner border |--playground-floating-controls-highlight-color
| |  var(--playground-highlight-color, #6200EE) | Highlight color of popup controls buttons and inputs |
The following CSS shadow
parts are exported,
which you can style with additional rules not covered by the above CSS custom
properties.
| Part name | Exported by | Description |
| --------------------------- | ----------------------------------- | ---------------------------------------------------------------------------------------------------------- |
| tab-bar | ide | Tab bar file switcher |editor
| | ide | Editor |preview
| | ide | Preview |preview-toolbar
| | ide, preview | Preview top bar |preview-location
| | ide, preview | Preview top bar "Result" heading |preview-reload-button
| | ide, preview | Preview top bar reload button |preview-loading-indicator
| | ide, preview | Preview top bar horizontal loading indicator |diagnostic-tooltip
| | ide, file-editor, code-editor | The tooltip that appears when hovering over a code span that has an error |dialog
| | ide, file-editor, code-editor | Dialogs appearing on top of a component (e.g. the editor keyboard help modal that shows on keyboard focus) |
The playground-elements package includes a directory of pre-configured
syntax-highlighting themes. To load a theme, import its stylesheet, and apply the
corresponding class name to the playground element or one of its ancestors:
`html`
src="/node_modules/playground-elements/themes/ayu-mirage.css"
>
A .js file is also provided for each theme, which exports a LitCSSResult. You can include thisstatic styles
directly in the of your own Lit components, or get aCSSStyleSheet or string representation for other use cases:
`js
import ayuMirageTheme from 'playground-elements/themes/ayu-mirage.css.js';
ayuMirageTheme; // Lit CSSResult
ayuMirageTheme.styleSheet; // CSSStyleSheet
ayuMirageTheme.cssText; // string
`
Each kind of language token is controlled by a CSS custom property with the name
--playground-code-TOKEN-color. For example, the keyword token is controlled--playground-code-keyword-color
by .
| Token | Default | JS/TS | HTML | CSS |
| ------------ | --------------------------------------- | ---------------------------------------------------------------------------------------- | ------------------------------------ | ------------------------------------------ |
| default |  #000000 | {}[]; | {}:;<p>foo</p> | |atom
| |  #221199 | true | & | bold |attribute
| |  #0000CC | | builtin<foo bar> | @media screen { } |
| |  #3300AA | | | callee#id { } |
| |  #000000 | commentfunc() | | calc() |
| |  #AA5500 | // foo | | / foo / |def
| |  #0000FF | @medialet foo = bar
/\\@param {string} foo\*/ | | |keyword
| |  #770088 | class | | blue |meta
| |  #555555 | | | |number
| |  #116644 | 4 | | 4px |operator
| |  #000000 | = | | |property
| |  #000000 | qualifierclass foo { bar; } | | color: |
| |  #555555 | | | string.class { } |
| |  #AA1111 | "foo" | string-2<a b="c"> | content: "foo" |
| |  #FF5500 | foo /foo/
| | tagzoom: 50% 1 |
| |  #117700 | /\\@param {string} foo\*/ | | div { } |type
| |  #008855 | variablelet foo: string
/\\@param {string} foo\*/ | | |
| |  #000000 | variable-2let foo = bar | | @keyframes spin { } |
| |  #0055AA | variable-3(arg) => { arg } 2 | | |
| |  #008855 | | | local::hover |
| |  #0000FF | (arg) => { } | | |
#### Notes
1. In CSS, string-2 is used for "non-standard" properties, but thevariable-2
list
is outdated.
2. In JS/TS, is used for function-local variables.
#### Parsers
Playground uses the google_modes CodeMirror syntax highlighting modes for
TS/JS/HTML, because they support highlighting of HTML and CSS within JavaScript
tagged template literals.
- JavaScript: https://github.com/codemirror/google-modes/blob/master/src/javascript.grammar
- TypeScript: https://github.com/codemirror/google-modes/blob/master/src/typescript.grammar
- JSDoc: https://github.com/codemirror/google-modes/blob/master/src/jsdoc.grammar
- HTML: https://github.com/codemirror/google-modes/blob/master/src/html.grammar
- CSS: https://github.com/codemirror/CodeMirror/blob/master/mode/css/css.js
Contributions are very welcome.
For substantial changes, please file an issue first to discuss the changes. For small changes,
sending a PR immediately is fine.
Initialize the repo:
`sh`
git clone git@github.com:google/playground-elements.git
cd playground-elements
npm i
npm run build
Launch the configurator/demo locally and build continuously:
`sh`
npm run serve --watch
Use the config property of a or to
get or set the current state of the project
(details).
How you persist and retrieve serialized project state is up to you. Here are a
few ideas:
- JSON + base64url encode the config, and save it to the URL hash.
Note that built-in btoa function is not safe for this purpose because it+
cannot encode non-latin code points, and the character has a special
meaning in URLs. See
here
for an example safe implementation, and
#102 to track
adding this implementation to Playground itself.
- Integrate with a third-party API like GitHub
gists.
- Write to your own datastore.
Support for build plugins like JSX, SASS, and CSS modules are on the roadmap,
but are not yet available. Follow and comment on
#66.
There are currently some missing features in module resolution that you might be
hitting. Please comment on the issue if it affects you:
- Imports in HTML files are not transformed
(#93)
- The import map scopes` field is not supported
(#103)