Hacking the Core
Under Construction
This document is under construction, please check back soon for updates. Please see our socials and feel free to ask for assistance or inquire as to the status of this document.
Now it's time to come to the "Hackable" part of the Hyper-Hackable Editor. As we've seen throughout the second section, a huge part of Pulsar is made up of bundled packages. If you wish to add some functionality to Pulsar, you have access to the same APIs and tools that the core features of Pulsar has. From the tree-view to the command-palette to find-and-replace functionality, even the most core features of Pulsar are implemented as packages.
In this section, we're going to learn how to extend the functionality of Pulsar through writing packages. This will be everything from new user interfaces to new language grammars to new themes. We'll learn this by writing a series of increasingly complex packages together, introducing you to new APIs and tools and techniques as we need them.
First though we will look at how to build the editor itself from source.
If you're looking for an example or specific section using a specific API or feature, you can check below for an index to this section and skip right to it.
Sections
- Building Pulsar
- Using PPM
- Hacking on the core
- Tools of the trade
- The init file
- Package: Word Count
- Package: Modifying Text
- Package: Active Editor Info
- Creating a theme
- Creating a Grammar
- Creating a legacy Textmate grammar
- Converting from Textmate
- Publishing
- Iconography
- Debugging
- Writing specs
- Handling URIs
- Cross-platform compatibility
- Contributing to official Pulsar packages
- Creating a fork of a core package
- Maintaining a fork of a core package
- Help
Building Pulsar
If you want to investigate a bug, implement a new feature in Pulsar's core or just want to tinker then you will need to build and run Pulsar from source.
The Pulsar application code can be found in the pulsar-edit/pulsar repository.
Requirements and dependencies
To build Pulsar you will need to meet some basic requirements:
- Node.js (version specified in pulsar/.nvmrc, recommended installation is via nvm)
- yarn (enable with
corepack enable
) - Git
- Python
- C++ toolchain
- Libsecret development headers
For OS or distribution specific instructions see below:
Building and running the application
To build the application so you can start hacking on the core you will need to download the source code to your local machine and cd
to the pulsar directory:
git clone https://github.com/pulsar-edit/pulsar.git && cd pulsar
Install Node.js (using nvm
- see above) and enable corepack (for yarn
). This will install the version of Node.js specified in pulsar/.nvmrc:
nvm install
corepack enable
If Node.js is already installed, run the following to make sure the correct version of Node.js is being used (see requirements):
nvm use
node -v
Run the following to initialize and update the submodules:
git submodule init && git submodule update
Now install and build Pulsar & ppm:
yarn install
yarn build
yarn build:apm
Start Pulsar!
yarn start
These instructions will also build ppm
(Pulsar Package Manager) but it will require some additional configuration for use.
Building binaries
The following will allow you to build Pulsar as a stand alone binary or installer. After running you will find your your built application in pulsar/binaries
.
The build script will automatically build for your system's CPU architecture, for example building on an x86_64
CPU will produce binaries for x86_64
, building on arm64
will only produce binaries for arm64
.
It is not possible to "cross-build" for different OSs. For Linux binaries you must build from a Linux machine, macOS binaries must be built from macOS etc. Your OS is detected automatically and the script will build the correct binaries for it.
Using ppm (Pulsar Package Manager)
ppm
is used for installing and managing Pulsar's packages in much the same way that apm
did on Atom. However at this point in the project there are a few hoops you have to jump through to get it to work correctly.
After following the build instructions you will find the ppm
binary at pulsar/ppm/bin/apm
but by default Pulsar will be looking in the wrong place. There will also be issues relating to the Electron version which will prevent install from the package backend. To solve this a couple of environmental variables need to be exported.
You can now use the binary to link or install packages.
For example to install the ide-java
package from source:
# clone the repository and cd into it
git clone https://github.com/pulsar-edit/ide-java
cd ide-java
# from the directory where you are running pulsar source code
<pulsar source>/ppm/bin/apm link
Hacking on the Core
You will first want to build and run Pulsar from source.
Running in Development Mode
Once you have a local copy of Pulsar cloned and built, you can then run Pulsar in Development Mode. But first, if you cloned Pulsar to somewhere other than LNX/MAC: ~/github/pulsar
- WIN: %USERPROFILE%\github\pulsar
you will need to set the ATOM_DEV_RESOURCE_PATH
environment variable to point to the folder in which you cloned Pulsar. To run Pulsar in Dev Mode, use the --dev
parameter from the terminal:
$ pulsar --dev <path-to-open>
There are a couple benefits of running Pulsar in Dev Mode:
- When the
ATOM_DEV_RESOURCE_PATH
environment variable is set correctly, Pulsar is run using the source code from your localpulsar-edit/pulsar
repository. This means you don't have to rebuild after every change, just restart Pulsar 👍 - Packages that exist in LNX/MAC:
~/.pulsar/dev/packages
- WIN:%USERPROFILE%\.pulsar\dev\packages
are loaded instead of packages of the same name normally loaded from other locations. This means that you can have development versions of packages you use loaded but easily go back to the stable versions by launching without Dev Mode. - Packages that contain stylesheets, such as syntax themes, will have those stylesheets automatically reloaded by the dev-live-reload package. This does not live reload JavaScript or CoffeeScript files — you'll need to reload the window (
window:reload
) to see changes to those.
Running Pulsar Core Tests Locally
In order to run Pulsar Core tests from the terminal, first be certain to set the ATOM_DEV_RESOURCE_PATH
environment variable as mentioned above and then:
$ cd <path-to-your-local-pulsar-repo>
$ pulsar --test spec
Tools of the Trade
To begin, there are a few things we'll assume you know, at least to some degree. Since all of Pulsar is implemented using web technologies, we have to assume you know web technologies such as JavaScript and CSS. Specifically, we'll be using Less, which is a preprocessor for CSS.
While much of Pulsar has been converted to JavaScript, a lot of older code is still implemented in CoffeeScript but the process of "decaffeination" is ongoing, to continue this conversion feel free to read more. Additionally, Pulsar's default configuration language is CSON, which is based on CoffeeScript. If you don't know CoffeeScript, but you are familiar with JavaScript, you shouldn't have too much trouble. Here is an example of some simple CoffeeScript code:
MyPackageView = require './my-package-view'
module.exports =
myPackageView: null
activate: (state) ->
@myPackageView = new MyPackageView(state.myPackageViewState)
deactivate: ->
@myPackageView.destroy()
serialize: ->
myPackageViewState: @myPackageView.serialize()
We'll go over examples like this in a bit, but this is what the language looks like. Just about everything you can do with CoffeeScript in Pulsar is also doable in JavaScript. You can brush up on CoffeeScript at coffeescript.org.
Less is an even simpler transition from CSS. It adds a number of useful things like variables and functions to CSS. You can learn about Less at lesscss.org. Our usage of Less won't get too complex in this book however, so as long as you know basic CSS you should be fine.
The Init File
Info
The default init file for Pulsar has been changed from the previous CoffeeScript init.coffee
file used by Atom to JavaScript. The CoffeeScript file will still work but should you wish to reference the specific version of this document for it then you should look at the Atom Archive.
When Pulsar finishes loading, it will evaluate init.js
in your LNX/MAC: ~/.pulsar
- WIN: %USERPROFILE%\.pulsar
directory, giving you a chance to run JavaScript code to make customizations. Code in this file has full access to Pulsar's API. If customizations become extensive, consider creating a package, which we will cover in Package: Word Count.
You can open the init.js
file in an editor from the LNX: Atom > Init Script - MAC: File > Init Script - WIN: Edit > Init Script menu.
For example, if you have the Audio Beep configuration setting enabled, you could add the following code to your init.js
file to have Pulsar greet you with an audio beep every time it loads:
atom.beep();
Because init.js
provides access to Pulsar's API, you can use it to implement useful commands without creating a new package or extending an existing one. Here's a command which uses the Selection API and Clipboard API to construct a Markdown link from the selected text and the clipboard contents as the URL:
atom.commands.add("atom-text-editor", "markdown:paste-as-link", () => {
let clipboardText, editor, selection;
if (!(editor = atom.workspace.getActiveTextEditor())) {
return;
}
selection = editor.getLastSelection();
clipboardText = atom.clipboard.read();
return selection.insertText(
"[" + selection.getText() + "](" + clipboardText + ")"
);
});
Now, reload Pulsar and use the Command Palette to execute the new command, Markdown: Paste As Link
, by name. And if you'd like to trigger the command via a keyboard shortcut, you can define a keybinding for the command.
Package: Word Count
Let's get started by writing a very simple package and looking at some of the tools needed to develop one effectively. We'll start by writing a package that tells you how many words are in the current buffer and display it in a small modal window.
Package Generator
The simplest way to start a package is to use the built-in package generator that ships with Pulsar. As you might expect by now, this generator is itself a separate package implemented in package-generator.
You can run the generator by invoking the command palette and searching for "Generate Package". A dialog will appear asking you to name your new project. Name it your-name-word-count
. Pulsar will then create that directory and fill it out with a skeleton project and link it into your LNX/MAC: ~/.pulsar/packages
- WIN: %USERPROFILE%\.pulsar\packages
directory so it's loaded when you launch your editor next time.
Note
You may encounter a situation where your package is not loaded. That is because a new package using the same name as an actual package hosted on pulsar-edit.dev (e.g. "wordcount" and "word-count") is not being loaded as you expected. If you follow our suggestion above of using the your-name-word-count
package name, you should be safe 😀
You can see that Pulsar has created about a dozen files that make up the package. Let's take a look at each of them to get an idea of how a package is structured, then we can modify them to get our word count functionality.
The basic package layout is as follows:
my-package/
├─ grammars/
├─ keymaps/
├─ lib/
├─ menus/
├─ spec/
├─ snippets/
├─ styles/
├─ index.js
└─ package.json
Not every package will have (or need) all of these directories and the package generator doesn't create snippets
or grammars
. Let's see what some of these are so we can start messing with them.
package.json
Similar to Node modules, Pulsar packages contain a package.json
file in their top-level directory. This file contains metadata about the package, such as the path to its "main" module, library dependencies, and manifests specifying the order in which its resources should be loaded.
In addition to some of the regular Node package.json
keys available, Pulsar package.json
files have their own additions.
main
: the path to the JavaScript file that's the entry point to your package. If this is missing, Pulsar will default to looking for anindex.js
orindex.coffee
.styles
: an Array of Strings identifying the order of the style sheets your package needs to load. If not specified, style sheets in thestyles
directory are added alphabetically.keymaps
: an Array of Strings identifying the order of the key mappings your package needs to load. If not specified, mappings in thekeymaps
directory are added alphabetically.menus
: an Array of Strings identifying the order of the menu mappings your package needs to load. If not specified, mappings in themenus
directory are added alphabetically.snippets
: an Array of Strings identifying the order of the snippets your package needs to load. If not specified, snippets in thesnippets
directory are added alphabetically.activationCommands
: an Object identifying commands that trigger your package's activation. The keys are CSS selectors, the values are Arrays of Strings identifying the command. The loading of your package is delayed until one of these events is triggered within the associated scope defined by the CSS selector. If not specified, theactivate()
method of your main export will be called when your package is loaded.activationHooks
: an Array of Strings identifying hooks that trigger your package's activation. The loading of your package is delayed until one of these hooks are triggered. Currently, there are three activation hooks:core:loaded-shell-environment
for when Pulsar has finished loading the shell environment variablesscope.name:root-scope-used
for when a file is opened from the specified language (e.g.source.ruby:root-scope-used
)language-package-name:grammar-used
for when a specific language package is used (e.g.,my-special-language-javascript:grammar-used
)
workspaceOpeners
: An Array of Strings identifying URIs that trigger your package's activation. For example, say your package registers a custom opener foratom://my-custom-panel
. By including that string inworkspaceOpeners
, your package will defer its activation until that URI is opened.
The package.json
in the package we've just generated looks like this currently:
{
"name": "your-name-word-count",
"main": "./lib/your-name-word-count",
"version": "0.0.0",
"description": "A short description of your package",
"activationCommands": {
"atom-workspace": "your-name-word-count:toggle"
},
"repository": "https://github.com/pulsar-edit/your-name-word-count",
"license": "MIT",
"engines": {
"atom": ">=1.0.0 <2.0.0"
},
"dependencies": {}
}
If you wanted to use activationHooks, you might have:
{
"name": "your-name-word-count",
"main": "./lib/your-name-word-count",
"version": "0.0.0",
"description": "A short description of your package",
"activationHooks": [
"language-javascript:grammar-used",
"language-coffee-script:grammar-used"
],
"repository": "https://github.com/pulsar-edit/your-name-word-count",
"license": "MIT",
"engines": {
"atom": ">=1.0.0 <2.0.0"
},
"dependencies": {}
}
One of the first things you should do is ensure that this information is filled out. The name, description, repository URL the project will be at, and the license can all be filled out immediately. The other information we'll get into more detail on as we go.
WARNING
Do not forget to update the repository URL. The one generated for you is invalid by design and will prevent you from publishing your package until updated.
Source Code
If you want to extend Pulsar's behavior, your package should contain a single top-level module, which you export from whichever file is indicated by the main
key in your package.json
file. In the package we just generated, the main package file is lib/your-name-word-count.js
. The remainder of your code should be placed in the lib
directory, and required from your top-level file. If the main
key is not in your package.json
file, it will look for index.js
or index.coffee
as the main entry point.
Your package's top-level module is a singleton object that manages the lifecycle of your extensions to Pulsar. Even if your package creates ten different views and appends them to different parts of the DOM, it's all managed from your top-level object.
Your package's top-level module can implement the following basic methods:
activate(state)
: This optional method is called when your package is activated. It is passed the state data from the last time the window was serialized if your module implements theserialize()
method. Use this to do initialization work when your package is started (like setting up DOM elements or binding events). If this method returns a promise the package will be considered loading until the promise resolves (or rejects).initialize(state)
: This optional method is similar toactivate()
but is called earlier. Whereas activation occurs after the workspace has been deserialized (and can therefore happen after your package's deserializers have been called),initialize()
is guaranteed to be called before everything. Useactivate()
if you want to be sure that the workspace is ready; useinitialize()
if you need to do some setup prior to your deserializers or view providers being invoked.serialize()
: This optional method is called when the window is shutting down, allowing you to return JSON to represent the state of your component. When the window is later restored, the data you returned is passed to your module'sactivate
method so you can restore your view to where the user left off.deactivate()
: This optional method is called when the window is shutting down and when the package is disabled. If your package is watching any files or holding external resources in any other way, release them here. You should also dispose of all subscriptions you're holding on to.
Style Sheets
Style sheets for your package should be placed in the styles
directory. Any style sheets in this directory will be loaded and attached to the DOM when your package is activated. Style sheets can be written as CSS or Less, but Less is recommended.
Ideally, you won't need much in the way of styling. Pulsar provides a standard set of components which define both the colors and UI elements for any package that fits into Pulsar seamlessly. You can view all of Pulsar's UI components by opening the styleguide: open the command palette LNX/WIN: Ctrl+Shift+P - MAC: Cmd+Shift+P and search for styleguide
, or type LNX/WIN: Ctrl+Shift+G - MAC: Cmd+Ctrl+Shift+G
If you do need special styling, try to keep only structural styles in the package style sheets. If you must specify colors and sizing, these should be taken from the active theme's ui-variables.less.
An optional styleSheets
array in your package.json
can list the style sheets by name to specify a loading order; otherwise, style sheets are loaded alphabetically.
Keymaps
You can provide key bindings for commonly used actions for your extension, especially if you're also adding a new command. In our new package, we have a keymap filled in for us already in the keymaps/your-name-word-count.json
file:
{
"atom-workspace": {
"ctrl-alt-o": "your-name-word-count:toggle"
}
}
This means that if you press Alt+Ctrl+O, our package will run the your-name-word-count:toggle
command. We'll look at that code next, but if you want to change the default key mapping, you can do that in this file.
Keymaps are placed in the keymaps
subdirectory. By default, all keymaps are loaded in alphabetical order. An optional keymaps
array in your package.json
can specify which keymaps to load and in what order.
Keybindings are executed by determining which element the keypress occurred on. In the example above, the your-name-word-count:toggle
command is executed when pressing Alt+Ctrl+O on the atom-workspace
element. Because the atom-workspace
element is the parent of the entire Pulsar UI, this means the key combination will work anywhere in the application.
We'll cover more advanced keybinding stuff a bit later in Keymaps in Depth.
Menus
Menus are placed in the menus
subdirectory. This defines menu elements like what pops up when you right click a context-menu or would go in the application menu to trigger functionality in your package.
By default, all menus are loaded in alphabetical order. An optional menus
array in your package.json
can specify which menus to load and in what order.
Application Menu
It's recommended that you create an application menu item under the Packages menu for common actions with your package that aren't tied to a specific element. If we look in the menus/your-name-word-count.json
file that was generated for us, we'll see a section that looks like this:
"menu": [
{
"label": "Packages",
"submenu": [
{
"label": "Word Count",
"submenu": [
{
"label": "Toggle",
"command": "your-name-word-count:toggle"
}
]
}
]
}
]
This section puts a "Toggle" menu item under a menu group named "Your Name Word Count" in the "Packages" menu.
When you select that menu item, it will run the your-name-word-count:toggle
command, which we'll look at in a bit.
The menu templates you specify are merged with all other templates provided by other packages in the order which they were loaded.
Context Menu
It's recommended to specify a context menu item for commands that are linked to specific parts of the interface. In our menus/your-name-word-count.json
file, we can see an auto-generated section that looks like this:
"context-menu": {
"atom-text-editor": [
{
"label": "Toggle your-name-word-count",
"command": "your-name-word-count:toggle"
}
]
}
This adds a "Toggle Word Count" menu option to the menu that pops up when you right-click in an Pulsar text editor pane.
When you click that it will again run the your-name-word-count:toggle
method in your code.
Context menus are created by determining which element was selected and then adding all of the menu items whose selectors match that element (in the order which they were loaded). The process is then repeated for the elements until reaching the top of the DOM tree.
You can also add separators and submenus to your context menus. To add a submenu, provide a submenu
key instead of a command. To add a separator, add an item with a single type: 'separator'
key/value pair. For instance, you could do something like this:
{
"context-menu": {
"atom-workspace": [
{
"label": "Text",
"submenu": [
{
"label": "Inspect Element",
"command": "core:inspect"
},
{
"type": "separator"
},
{
"label": "Selector All",
"command": "core:select-all"
},
{
"type": "separator"
},
{
"label": "Deleted Selected Text",
"command": "core:delete"
}
]
}
]
}
}
Developing Our Package
Currently with the generated package we have, if we run that your-name-word-count:toggle
command through the menu or the command palette, we'll get a dialog that says "The YourNameWordCount package is Alive! It's ALIVE!".
Understanding the Generated Code
Let's take a look at the code in our lib
directory and see what is happening.
There are two files in our lib
directory. One is the main file (lib/your-name-word-count.js
), which is pointed to in the package.json
file as the main file to execute for this package. This file handles the logic of the whole package.
The second file is a View class, lib/your-name-word-count-view.js
, which handles the UI elements of the package. Let's look at this file first, since it's pretty simple.
export default class YourNameWordCountView {
constructor(serializedState) {
// Create root element
this.element = document.createElement("div");
this.element.classList.add("your-name-word-count");
// Create message element
const message = document.createElement("div");
message.textContent = "The YourNameWordCount package is Alive! It's ALIVE!";
message.classList.add("message");
this.element.appendChild(message);
}
// Returns an object that can be retrieved when package is activated
serialize() {}
// Tear down any state and detach
destroy() {
this.element.remove();
}
getElement() {
return this.element;
}
}
Basically the only thing happening here is that when the View class is created, it creates a simple div
element and adds the your-name-word-count
class to it (so we can find or style it later) and then adds the "Your Name Word Count package is Alive!
" text to it. There is also a getElement
method which returns that div
. The serialize
and destroy
methods don't do anything and we won't have to worry about that until another example.
Notice that we're simply using the basic browser DOM methods: createElement()
and appendChild()
.
The second file we have is the main entry point to the package. Again, because it's referenced in the package.json
file. Let's take a look at that file.
import YourNameWordCountView from "./your-name-word-count-view";
import { CompositeDisposable } from "atom";
export default {
yourNameWordCountView: null,
modalPanel: null,
subscriptions: null,
activate(state) {
this.yourNameWordCountView = new YourNameWordCountView(
state.yourNameWordCountViewState
);
this.modalPanel = atom.workspace.addModalPanel({
item: this.yourNameWordCountView.getElement(),
visible: false,
});
// Events subscribed to in Pulsar's system can be easily cleaned up with a CompositeDisposable
this.subscriptions = new CompositeDisposable();
// Register command that toggles this view
this.subscriptions.add(
atom.commands.add("atom-workspace", {
"your-name-word-count:toggle": () => this.toggle(),
})
);
},
deactivate() {
this.modalPanel.destroy();
this.subscriptions.dispose();
this.yourNameWordCountView.destroy();
},
serialize() {
return {
yourNameWordCountViewState: this.yourNameWordCountView.serialize(),
};
},
toggle() {
console.log("YourNameWordCount was toggled!");
return this.modalPanel.isVisible()
? this.modalPanel.hide()
: this.modalPanel.show();
},
};
There is a bit more going on here. First of all we can see that we are defining four methods. The only required one is activate
. The deactivate
and serialize
methods are expected by Pulsar but optional. The toggle
method is one Pulsar is not looking for, so we'll have to invoke it somewhere for it to be called, which you may recall we do both in the activationCommands
section of the package.json
file and in the action we have in the menu file.
The deactivate
method simply destroys the various class instances we've created and the serialize
method simply passes on the serialization to the View class. Nothing too exciting here.
The activate
command does a number of things. For one, it is not called automatically when Pulsar starts up, it is first called when one of the activationCommands
as defined in the package.json
file are called. In this case, activate
is only called the first time the toggle
command is called. If nobody ever invokes the menu item or hotkey, this code is never called.
This method does two things. The first is that it creates an instance of the View class we have and adds the element that it creates to a hidden modal panel in the Pulsar workspace.
this.yourNameWordCountView = new YourNameWordCountView(
state.yourNameWordCountViewState
);
this.modalPanel = atom.workspace.addModalPanel({
item: this.yourNameWordCountView.getElement(),
visible: false,
});
We'll ignore the state stuff for now, since it's not important for this simple package. The rest should be fairly straightforward.
The next thing this method does is create an instance of the CompositeDisposable class so it can register all the commands that can be called from the package so other packages could subscribe to these events.
// Events subscribed to in Pulsar's system can be easily cleaned up with a CompositeDisposable
this.subscriptions = new CompositeDisposable();
// Register command that toggles this view
this.subscriptions.add(
atom.commands.add("atom-workspace", {
"your-name-word-count:toggle": () => this.toggle(),
})
);
Next we have the toggle
method. This method simply toggles the visibility of the modal panel that we created in the activate
method.
toggle() {
console.log('YourNameWordCount was toggled!');
return (
this.modalPanel.isVisible() ?
this.modalPanel.hide() :
this.modalPanel.show()
);
}
This should be fairly simple to understand. We're looking to see if the modal element is visible and hiding or showing it depending on its current state.
The Flow
So, let's review the actual flow in this package.
- Pulsar starts up
- Pulsar starts loading packages
- Pulsar reads your
package.json
- Pulsar loads keymaps, menus, styles and the main module
- Pulsar finishes loading packages
- At some point, the user executes your package command
your-name-word-count:toggle
- Pulsar executes the
activate
method in your main module which sets up the UI by creating the hidden modal view - Pulsar executes the package command
your-name-word-count:toggle
which reveals the hidden modal view - At some point, the user executes the
your-name-word-count:toggle
command again - Pulsar executes the command which hides the modal view
- Eventually, Pulsar is shut down which can trigger any serializations that your package has defined
Tip
Keep in mind that the flow will be slightly different if you choose not to use activationCommands
in your package.
Counting the Words
So now that we understand what is happening, let's modify the code so that our little modal box shows us the current word count instead of static text.
We'll do this in a very simple way. When the dialog is toggled, we'll count the words right before displaying the modal. So let's do this in the toggle
command. If we add some code to count the words and ask the view to update itself, we'll have something like this:
toggle() {
if (this.modalPanel.isVisible()) {
this.modalPanel.hide();
} else {
const editor = atom.workspace.getActiveTextEditor();
const words = editor.getText().split(/\s+/).length;
this.yourNameWordCountView.setCount(words);
this.modalPanel.show();
}
}
Let's look at the 3 lines we've added. First we get an instance of the current editor object (where our text to count is) by calling atom.workspace.getActiveTextEditor()
.
Next we get the number of words by calling getText()
on our new editor object, then splitting that text on whitespace with a regular expression and then getting the length of that array.
Finally, we tell our view to update the word count it displays by calling the setCount()
method on our view and then showing the modal again. Since that method doesn't yet exist, let's create it now.
We can add this code to the end of our your-name-word-count-view.js
file:
setCount(count) {
const displayText = `There are ${count} words.`;
this.element.children[0].textContent = displayText;
}
Pretty simple! We take the count number that was passed in and place it into a string that we then stick into the element that our view is controlling.
Note
To see your changes, you'll need to reload the code. You can do this by reloading the window (The window:reload
command in the Command Palette). A common practice is to have two Pulsar windows, one for developing your package, and one for testing and reloading.
Basic Debugging
You'll notice a few console.log
statements in the code. One of the cool things about Pulsar being built on Chromium is that you can use some of the same debugging tools available to you that you have when doing web development.
To open up the Developer Console, press LNX/WIN: Ctrl+Shift+I - MAC: Alt+Cmd+I or choose the menu option View > Developer > Toggle Developer Tools.
From here you can inspect objects, run code and view console output just as though you were debugging a web site.
Testing
Your package should have tests, and if they're placed in the spec
directory, they can be run by Pulsar.
Under the hood, Jasmine v1.3 executes your tests, so you can assume that any DSL available there is also available to your package.
Running Tests
Once you've got your test suite written, you can run it by pressing LNX/WIN: Alt+Ctrl+P - MAC: Alt+Cmd+Ctrl+P or via the View > Developer > Run Package Specs menu. Our generated package comes with an example test suite, so you can run this right now to see what happens.
You can also use the pulsar --test spec
command to run them from the command line. It prints the test output and results to the console and returns the proper status code depending on whether the tests passed or failed.
Summary
We've now generated, customized and tested our first package for Pulsar. Congratulations! Now let's go ahead and publish it so it's available to the world.
Package: Modifying Text
Now that we have our first package written, let's go through examples of other types of packages we can make. This section will guide you though creating a simple command that replaces the selected text with ascii art. When you run our new command with the word "cool" selected, it will be replaced with:
o888 ooooooo ooooooo ooooooo 888 888 888 888 888 888 888 888 888 888 888 888 888 888 88ooo888 88ooo88 88ooo88 o888o
This should demonstrate how to do basic text manipulation in the current text buffer and how to deal with selections.
The final package can be viewed at https://github.com/pulsar-edit/ascii-art.
Basic Text Insertion
To begin, press LNX/WIN: Ctrl+Shift+P - MAC: Cmd+Shift+P to bring up the Command Palette. Type "generate package" and select the "Package Generator: Generate Package" command, just as we did in the section on package generation. Enter ascii-art
as the name of the package.
Now let's edit the package files to make our ASCII Art package do something interesting. Since this package doesn't need any UI, we can remove all view-related code so go ahead and delete lib/ascii-art-view.js
, spec/ascii-art-view-spec.js
, and styles/
.
Next, open up lib/ascii-art.js
and remove all view code, so it looks like this:
const { CompositeDisposable } = require("atom");
module.exports = {
subscriptions: null,
activate() {
this.subscriptions = new CompositeDisposable();
this.subscriptions.add(
atom.commands.add("atom-workspace", {
"ascii-art:convert": () => this.convert(),
})
);
},
deactivate() {
this.subscriptions.dispose();
},
convert() {
console.log("Convert text!");
},
};
Create a Command
Now let's add a command. You should namespace your commands with the package name followed by a :
and then the name of the command. As you can see in the code, we called our command ascii-art:convert
and we will define it to call the convert()
method when it's executed.
So far, that will simply log to the console. Let's start by making it insert something into the text buffer.
convert() {
const editor = atom.workspace.getActiveTextEditor()
if (editor) {
editor.insertText('Hello, World!')
}
}
As in Counting Words, we're using atom.workspace.getActiveTextEditor()
to get the object that represents the active text editor. If this convert()
method is called when not focused on a text editor, nothing will happen.
Next we insert a string into the current text editor with the insertText()
method. This will insert the text wherever the cursor currently is in the current editor. If there are selections, it will replace all selections with the "Hello, World!" text.
Reload the Package
Before we can trigger ascii-art:convert
, we need to load the latest code for our package by reloading the window. Run the command "Window: Reload" from the Command Palette or by pressing LNX/WIN: Ctrl+Shift+F5 - MAC: Alt+Cmd+Ctrl+L
Trigger the Command
Now open the Command Palette and search for the Ascii Art: Convert
command. But it's not there! To fix this, open package.json
and find the property called activationCommands
. Activation commands make Pulsar launch faster by allowing Pulsar to delay a package's activation until it's needed. So remove the existing command and use ascii-art:convert
in activationCommands
:
"activationCommands": {
"atom-workspace": "ascii-art:convert"
}
First, reload the window by running the command "Window: Reload" from the command palette. Now when you run the Ascii Art: Convert
command it will insert "Hello, World!" into the active editor, if any.
Add a Key Binding
Now let's add a key binding to trigger the ascii-art:convert
command. Open keymaps/ascii-art.json
and add a key binding linking Alt+Ctrl+A to the ascii-art:convert
command. You can delete the pre-existing key binding since you won't need it anymore.
When finished, the file should look like this:
{
"atom-text-editor": {
"ctrl-alt-a": "ascii-art:convert"
}
}
Now reload the window and verify that the key binding works.
WARNING
The Pulsar keymap system is case-sensitive. This means that there is a distinction between a
and A
when creating keybindings. a
means that you want to trigger the keybinding when you press A. But A
means that you want to trigger the keybinding when you press Shift+A. You can also write shift-a
when you want to trigger the keybinding when you press Shift+A.
We strongly recommend always using lowercase and explicitly spelling out when you want to include Shift in your keybindings.
Add the ASCII Art
Now we need to convert the selected text to ASCII art. To do this we will use the figlet Node module from npm. Open package.json
and add the latest version of figlet to the dependencies:
"dependencies": {
"figlet": "1.0.8"
}
After saving the file, run the command Update Package Dependencies: Update
from the Command Palette. This will install the package's node module dependencies, only figlet in this case. You will need to run Update Package Dependencies: Update
whenever you update the dependencies field in your package.json
file.
If for some reason this doesn't work, you'll see a message saying "Failed to update package dependencies" and you will find a new npm-debug.log
file in your directory. That file should give you some idea as to what went wrong.
Now require the figlet node module in lib/ascii-art.js
and instead of inserting "Hello, World!", convert the selected text to ASCII art.
convert () {
const editor = atom.workspace.getActiveTextEditor()
if (editor) {
const selection = editor.getSelectedText()
const figlet = require('figlet')
const font = 'o8'
figlet(selection, {font}, function (error, art) {
if (error) {
console.error(error)
} else {
editor.insertText(`\n${art}\n`)
}
})
}
}
Now reload the editor, select some text in an editor window and press Alt+Ctrl+A. It should be replaced with a ridiculous ASCII art version instead.
There are a couple of new things in this example we should look at quickly. The first is the editor.getSelectedText()
which, as you might guess, returns the text that is currently selected.
We then call the Figlet code to convert that into something else and replace the current selection with it with the editor.insertText()
call.
Summary
In this section, we've made a UI-less package that takes selected text and replaces it with a processed version. This could be helpful in creating linters or checkers for your code.
Package: Active Editor Info
We saw in our Word Count package how we could show information in a modal panel. However, panels aren't the only way to extend Pulsar's UI—you can also add items to the workspace. These items can be dragged to new locations (for example, one of the docks on the edges of the window), and Pulsar will restore them the next time you open the project.
For this package, we'll define a workspace item that tells us some information about our active text editor. The final package can be viewed at https://github.com/pulsar-edit/active-editor-info.
Create the Package
To begin, press LNX/WIN: Ctrl+Shift+P - MAC: Cmd+Shift+P to bring up the Command Palette. Type "generate package" and select the Package Generator: Generate Package
command, just as we did in the section on package generation. Enter active-editor-info
as the name of the package.
Add an Opener
Now let's edit the package files to show our view in a workspace item instead of a modal panel. The way we do this is by registering an opener with Pulsar. Openers are just functions that accept a URI and return a view (if it's a URI that the opener knows about). When you call atom.workspace.open()
, Pulsar will go through all of its openers until it finds one that can handle the URI you passed.
Let's open lib/active-editor-info.js
and edit our activate()
method to register an opener:
"use babel";
import ActiveEditorInfoView from "./active-editor-info-view";
import { CompositeDisposable, Disposable } from "atom";
export default {
subscriptions: null,
activate(state) {
this.subscriptions = new CompositeDisposable(
// Add an opener for our view.
atom.workspace.addOpener((uri) => {
if (uri === "atom://active-editor-info") {
return new ActiveEditorInfoView();
}
}),
// Register command that toggles this view
atom.commands.add("atom-workspace", {
"active-editor-info:toggle": () => this.toggle(),
}),
// Destroy any ActiveEditorInfoViews when the package is deactivated.
new Disposable(() => {
atom.workspace.getPaneItems().forEach((item) => {
if (item instanceof ActiveEditorInfoView) {
item.destroy();
}
});
})
);
},
deactivate() {
this.subscriptions.dispose();
},
toggle() {
console.log("Toggle it!");
},
};
You'll notice we also removed the activeEditorInfoView
property and the serialize()
method. That's because, with workspace items, it's possible to have more than one instance of a given view. Since each instance can have its own state, each should do its own serialization instead of relying on a package-level serialize()
method. We'll come back to that later.
You probably also noticed that our toggle()
implementation just logs the text "Toggle it!" to the console. Let's make it actually toggle our view:
toggle() {
atom.workspace.toggle('atom://active-editor-info');
}
Updating the View
Pulsar uses the same view abstractions everywhere, so we can almost use the generated ActiveEditorInfoView class as-is. We just need to add two small methods:
getTitle() {
// Used by Pulsar for tab text
return 'Active Editor Info';
}
getURI() {
// Used by Pulsar to identify the view when toggling.
return 'atom://active-editor-info';
}
Now reload the window and run the Active Editor Info: Toggle
command from the command palette! Our view will appear in a new tab in the center of the workspace. If you want, you can drag it into one of the docks. Toggling it again will then hide that dock. If you close the tab and run the toggle command again, it will appear in the last place you had it.
Note
We've repeated the same URI three times now. That's okay, but it's probably a good idea to define the URL in one place and then import it from that module wherever you need it.
Constraining Our Item's Locations
The purpose of our view is to show information about the active text editor, so it doesn't really make sense to show our item in the center of the workspace (where the text editor will be). Let's add some methods to our view class to influence where its opened:
getDefaultLocation() {
// This location will be used if the user hasn't overridden it by dragging the item elsewhere.
// Valid values are "left", "right", "bottom", and "center" (the default).
return 'right';
}
getAllowedLocations() {
// The locations into which the item can be moved.
return ['left', 'right', 'bottom'];
}
Now our item will appear in the right dock initially and users will only be able to drag it to one of the other docks.
Show Active Editor Info
Now that we have our view all wired up, let's update it to show some information about the active text editor. Add this to the constructor:
this.subscriptions = atom.workspace
.getCenter()
.observeActivePaneItem((item) => {
if (!atom.workspace.isTextEditor(item)) {
message.innerText = "Open a file to see important information about it.";
return;
}
message.innerHTML = `
<h2>${item.getFileName() || "untitled"}</h2>
<ul>
<li><b>Soft Wrap:</b> ${item.softWrapped}</li>
<li><b>Tab Length:</b> ${item.getTabLength()}</li>
<li><b>Encoding:</b> ${item.getEncoding()}</li>
<li><b>Line Count:</b> ${item.getLineCount()}</li>
</ul>
`;
});
Now whenever you open a text editor in the center, the view will update with some information about it.
WARNING
We use a template string here because it's simple and we have a lot of control over what's going into it, but this could easily result in the insertion of unwanted HTML if you're not careful. Sanitize your input and use the DOM API or a templating system when doing this for real.
Also, don't forget to clean up the subscription in the destroy()
method:
destroy() {
this.element.remove();
this.subscriptions.dispose();
}
Serialization
If you were to reload Atom now, you'd see that our item had disappeared. That's because we haven't told Pulsar how to serialize it yet. Let's do that now.
The first step is to implement a serialize()
method on our ActiveEditorInfoView class. Atom will call the serialize()
method on every item in the workspace periodically to save its state.
serialize() {
return {
// This is used to look up the deserializer function. It can be any string, but it needs to be
// unique across all packages!
deserializer: 'active-editor-info/ActiveEditorInfoView'
};
}
Note
All of our view's state is derived from the active text editor so we only need the deserializer
field. If we had other state that we wanted to preserve across reloads, we would just add things to the object we're returning. Just make sure that they're JSON serializable!
Next we need to register a deserializer function that Atom can use to recreate the real object when it starts up. The best way to do that is to add a "deserializers" object to our package.json
file:
{
"name": "active-editor-info",
...
"deserializers": {
"active-editor-info/ActiveEditorInfoView": "deserializeActiveEditorInfoView"
}
}
Notice that the key ("active-editor-info/ActiveEditorInfoView"
) matches the string we used in our serialize()
method above. The value ("deserializeActiveEditorInfoView"
) refers to a function in our main module, which we still need to add. Go back to active-editor-info.js
and do that now:
deserializeActiveEditorInfoView(serialized) {
return new ActiveEditorInfoView();
}
The value returned from our serialize()
method will be passed to this function. Since our serialized object didn't include any state, we can just return a new ActiveEditorInfoView instance.
Reload Pulsar and toggle the view with the Active Editor Info: Toggle
command. Then reload Pulsar again. Your view should be just where you left it!
Summary
In this section, we've made a toggleable workspace item whose placement can be controlled by the user. This could be helpful when creating all sorts of visual tools for working with code!
Creating a Theme
Pulsar's interface is rendered using HTML, and it's styled via Less which is a superset of CSS. Don't worry if you haven't heard of Less before; it's just like CSS, but with a few handy extensions.
Pulsar supports two types of themes: UI and Syntax. UI themes style elements such as the tree view, the tabs, drop-down lists, and the status bar. Syntax themes style the code, gutter and other elements inside the editor view.
Themes can be installed and changed from the Settings View which you can open by selecting the LNX: Edit > Preferences - MAC: Pulsar > Preferences - WIN: File > Preferences menu, and clicking the "Install" or "Themes" tab on the left hand navigation.
Getting Started
Themes are pretty straightforward but it's still helpful to be familiar with a few things before starting:
- Less is a superset of CSS, but it has some really handy features like variables. If you aren't familiar with its syntax, take a few minutes to familiarize yourself.
- You may also want to review the concept of a
package.json
(as covered in Pulsarpackage.json
). This file is used to help distribute your theme to Pulsar users. - Your theme's
package.json
must contain atheme
key with a value ofui
orsyntax
for Pulsar to recognize and load it as a theme. - You can find existing themes to install or fork in Pulsar Package Repository.
Creating a Syntax Theme
Let's create your first theme.
To get started, press LNX/WIN: Ctrl+Shift+P - MAC: Cmd+Shift+P and start typing Generate Syntax Theme
to generate a new theme package. Select Generate Syntax Theme
, and you'll be asked for the path where your theme will be created. Let's call ours motif-syntax
.
Tip
Syntax themes should end with -syntax and UI themes should end with -ui.
Pulsar will display a new window, showing the motif-syntax theme, with a default set of folders and files created for us. If you open the Settings View with LNX/WIN: Ctrl+, - MAC: Cmd+, and click the "Themes" tab on the left, you'll see the "Motif" theme listed in the "Syntax Theme" drop-down. Select it from the menu to activate it, now when you open an editor you should see your new motif-syntax theme in action.
Open up styles/colors.less
to change the various color variables which have already been defined. For example, turn @red
into #f4c2c1
.
Then open styles/base.less
and modify the various selectors that have already been defined. These selectors style different parts of code in the editor such as comments, strings and the line numbers in the gutter.
As an example, let's make the .gutter
background-color
into @red
.
Reload Pulsar by pressing LNX/WIN: Alt+Ctrl+R - MAC: Alt+Cmd+Ctrl+L to see the changes you made reflected in your Pulsar window. Pretty neat!
Tip
You can avoid reloading to see changes you make by opening an Pulsar window in Dev Mode. To open a Dev Mode Pulsar window run pulsar --dev .
in the terminal, or use the View > Developer > Open in Dev Mode menu. When you edit your theme, changes will instantly be reflected!
Note
It's advised to not specify a font-family
in your syntax theme because it will override the Font Family field in Pulsar's settings. If you still like to recommend a font that goes well with your theme, we suggest you do so in your README.
Creating a UI Theme
To create a UI theme, do the following:
- Fork the ui-theme-template
- Clone the forked repository to the local filesystem
- Open a terminal in the forked theme's directory
- Open your new theme in a Dev Mode Pulsar window run
pulsar --dev .
in the terminal or use the View > Developer > Open in Dev Mode menu - Change the name of the theme in the theme's
package.json
file - Name your theme end with a
-ui
, for examplesuper-white-ui
- Run
pulsar -p link --dev
to symlink your repository to LNX/MAC:~/.pulsar/dev/packages
- WIN:%USERPROFILE%\.pulsar
- Reload Pulsar using LNX/WIN: Alt+Ctrl+R - MAC: Alt+Cmd+Ctrl+L
- Enable the theme via the "UI Theme" drop-down in the "Themes" tab of the Settings View
- Make changes! Since you opened the theme in a Dev Mode window, changes will be instantly reflected in the editor without having to reload.
Tip
Because we used pulsar -p link --dev
in the above instructions, if you break anything you can always close Pulsar and launch Pulsar normally to force Pulsar to the default theme. This allows you to continue working on your theme even if something goes catastrophically wrong.
Theme Variables
UI themes must provide a ui-variables.less
and Syntax themes a syntax-variables.less
file. It contains predefined variables that packages use to make sure the look and feel matches.
Here the variables with the default values:
These default values will be used as a fallback in case a theme doesn't define its own variables.
Use in Packages
In any of your package's .less
files, you can access the theme variables by importing the ui-variables
or syntax-variables
file from Pulsar.
Your package should generally only specify structural styling, and these should come from the style guide. Your package shouldn't specify colors, padding sizes, or anything in absolute pixels. You should instead use the theme variables. If you follow this guideline, your package will look good out of the box with any theme!
Here's an example .less
file that a package can define using theme variables:
@import "ui-variables";
.my-selector {
background-color: @base-background-color;
padding: @component-padding;
}
@import "syntax-variables";
.my-selector {
background-color: @syntax-background-color;
}
Development workflow
There are a few tools to help make theme development faster and easier.
Live Reload
Reloading by pressing LNX/WIN: Alt+Ctrl+R - MAC: Alt+Cmd+Ctrl+L after you make changes to your theme is less than ideal. Pulsar supports live updating of styles on Pulsar windows in Dev Mode.
To launch a Dev Mode window:
- Open your theme directory in a dev window by selecting the View > Developer > Open in Dev Mode menu item
- Or launch Pulsar from the terminal with
pulsar --dev
If you'd like to reload all the styles at any time, you can use the shortcut LNX/WIN: Alt+Ctrl+R - MAC: Alt+Cmd+Ctrl+L,
Developer Tools
Pulsar is based on the Chromium browser and supports its Developer Tools. You can open them by selecting the View > Developer > Toggle Developer Tools menu, or by using the LNX/WIN: Ctrl+Shift+I - MAC: Alt+Cmd+I
The dev tools allow you to inspect elements and take a look at their CSS properties.
Check out Google's extensive tutorial for a short introduction.
Pulsar Styleguide
If you are creating an UI theme, you'll want a way to see how your theme changes affect all the components in the system. The Styleguide is a page that renders every component Pulsar supports.
To open the Styleguide, open the command palette with LNX/WIN: Ctrl+Shift+P - MAC: Cmd+Shift+P and search for styleguide
, or use the shortcut LNX/WIN: Ctrl+Shift+G - MAC: Cmd+Ctrl+Shift+G.
Side by side
Sometimes when creating a theme (or package) things can go wrong and the editor becomes unusable. E.g. if the text and background have the same color or something gets pushed out of sight. To avoid having to open Pulsar in "normal" mode to fix the issue, it's advised to open two Pulsar windows. One for making changes and one in Dev Mode to see the changes getting applied.
Make changes on the left, see the changes getting applied in "Dev Mode" on the right.
Now if you mess up something, only the window in "Dev Mode" will be affected and you can easily correct the mistake in your "normal" window.
Publish your theme
Once you're happy with your theme and would like to share it with other Pulsar users, it's time to publish it. 🎉
Follow the steps on the Publishing page. The example used is for the Word Count package, but publishing a theme works exactly the same.
Creating a Grammar
Pulsar's syntax highlighting and code folding system is powered by Tree-sitter. Tree-sitter parsers create and maintain full syntax trees representing your code.
This syntax tree gives Pulsar a comprehensive understanding of the structure of your code, which has several benefits:
- Syntax highlighting will not break because of formatting changes.
- Code folding will work regardless of how your code is indented.
- Editor features can operate on the syntax tree. For instance, the
Select Larger Syntax Node
andSelect Smaller Syntax Node
allow you to select conceptually larger and smaller chunks of your code. - Community packages can use the syntax tree to manipulate code intelligently.
Tree-sitter grammars are relatively new. Many languages in Pulsar are still supported by TextMate grammars, though we intend to phase these out over time.
If you're adding support for a new language, you're in the right place!
Getting Started
There are two components required to use Tree-sitter in Pulsar: a parser and a grammar file.
The Parser
Tree-sitter generates parsers based on context-free grammars that are typically written in JavaScript. The generated parsers are C libraries that can be used in other applications as well as Pulsar.
They can also be developed and tested at the command line, separately from Pulsar. Tree-sitter has its own documentation page on how to create these parsers. The Tree-sitter GitHub organization also contains a lot of example parsers that you can learn from, each in its own repository.
Once you have created a parser, you need to publish it to the NPM registry to use it in Pulsar. To do this, make sure you have a name
and version
in your parser's package.json
:
{
"name": "tree-sitter-mylanguage",
"version": "0.0.1",
// ...
}
then run the command npm publish
.
The Package
Once you have a Tree-sitter parser that is available on npm, you can use it in your Pulsar package. Packages with grammars are, by convention, always named starting with language. You'll need a folder with a package.json
, a grammars
subdirectory, and a single json
or cson
file in the grammars
directory, which can be named anything.
language-mylanguage
├── LICENSE
├── README.md
├── grammars
│ └── mylanguage.cson
└── package.json
The Grammar File
The mylanguage.cson
file specifies how Pulsar should use the parser you created.
Basic Fields
It starts with some required fields:
name: 'My Language'
scopeName: 'mylanguage'
type: 'tree-sitter'
parser: 'tree-sitter-mylanguage'
scopeName
- A unique, stable identifier for the language. Pulsar users will use this in configuration files if they want to specify custom configuration based on the language.name
- A human readable name for the language.parser
- The name of the parser node module that will be used for parsing. This string will be passed directly torequire()
in order to load the parser.type
- This should have the valuetree-sitter
to indicate to Pulsar that this is a Tree-sitter grammar and not a TextMate grammar.
Language Recognition
Next, the file should contain some fields that indicate to Pulsar when this language should be used. These fields are all optional.
fileTypes
- An array of filename suffixes. The grammar will be used for files whose names end with one of these suffixes. Note that the suffix may be an entire filename.firstLineRegex
- A regex pattern that will be tested against the first line of the file. The grammar will be used if this regex matches.contentRegex
- A regex pattern that will be tested against the contents of the file in order to break ties in cases where multiple grammars matched the file using the above two criteria. If thecontentRegex
matches, this grammar will be preferred over another grammar with nocontentRegex
. If thecontentRegex
does not match, a grammar with nocontentRegex
will be preferred over this one.
Syntax Highlighting
The HTML classes that Pulsar uses for syntax highlighting do not correspond directly to nodes in the syntax tree. Instead, Tree-sitter grammar files specify scope mappings that specify which classes should be applied to which syntax nodes. The scopes
object controls these scope mappings. Its keys are CSS selectors that select nodes in the syntax tree. Its values can be of several different types.
Here is a simple example:
scopes:
'call_expression > identifier': 'entity.name.function'
This entry means that, in the syntax tree, any identifier
node whose parent is a call_expression
should be highlighted using three classes: syntax--entity
, syntax--name
, and syntax--function
.
Note that in this selector, we're using the immediate child combinator (>
). Arbitrary descendant selectors without this combinator (for example 'call_expression identifier'
, which would match any identifier
occurring anywhere within a call_expression
) are currently not supported.
Advanced Selectors
The keys of the scopes
object can also contain multiple CSS selectors, separated by commas, similar to CSS files. The triple-quote syntax in CSON makes it convenient to write keys like this on multiple lines:
scopes:
'''
function_declaration > identifier,
call_expression > identifier,
call_expression > field_expression > field_identifier
''': 'entity.name.function'
You can use the :nth-child
pseudo-class to select nodes based on their order within their parent. For example, this example selects identifier
nodes which are the fourth (zero-indexed) child of a singleton_method
node.
scopes:
'singleton_method > identifier:nth-child(3)': 'entity.name.function'
Finally, you can use double-quoted strings in the selectors to select anonymous tokens in the syntax tree, like (
and :
. See the Tree-sitter documentation for more information about named vs anonymous tokens.
scopes:
'''
"*",
"/",
"+",
"-"
''': 'keyword.operator'
Text-based Mappings
You can also apply different classes to a syntax node based on its text. Here are some examples:
scopes:
# Apply the classes `syntax--builtin` and `syntax--variable` to all
# `identifier` nodes whose text is `require`.
'identifier': {exact: 'require', scopes: 'builtin.variable'},
# Apply the classes `syntax--type` and `syntax--integer` to all
# `primitive_type` nodes whose text starts with `int` or `uint`.
'primitive_type': {match: /^u?int/, scopes: 'type.integer'},
# Apply the classes `syntax--builtin`, `syntax--class`, and
# `syntax--name` to `constant` nodes with the text `Array`,
# `Hash` and `String`. For all other `constant` nodes, just
# apply the classes `syntax--class` and `syntax--name`.
'constant': [
{match: '^(Array|Hash|String)$', scopes: 'builtin.class.name'},
'class.name'
]
In total there are four types of values that can be associated with selectors in scopes
:
- Strings - Each class name in the dot-separated string will be prefixed with
syntax--
and applied to the selected node. - Objects with the keys
exact
andscopes
- If the node's text equals theexact
string, thescopes
string will be used as described above. - Objects with the keys
match
andscopes
- If the node's text matches thematch
regex pattern, thescopes
string will be used as described above. - Arrays - The elements of the array will be processed from beginning to end. The first element that matches the selected node will be used as describe above.
Specificity
If multiple selectors in the scopes
object match a node, the node's classes will be decided based on the most specific selector. Note that the exact
and match
rules do not affect specificity, so you may need to supply the same exact
or match
rules for multiple selectors to ensure that they take precedence over other selectors. You can use the same selector multiple times in a scope mapping, within different comma-separated keys:
scopes:
'call_expression > identifier': 'entity.name.function'
# If we did not include the second selector here, then this rule
# would not apply to identifiers inside of call_expressions,
# because the selector `call_expression > identifier` is more
# specific than the selector `identifier`.
'identifier, call_expression > identifier': [
{exact: 'require', scopes: 'builtin.variable'},
{match: '^[A-Z]', scopes: 'constructor'},
]
Language Injection
Sometimes, a source file can contain code written in several different languages. Tree-sitter grammars support this situation using a two-part process called language injection. First, an 'outer' language must define an injection point - a set of syntax nodes whose text can be parsed using a different language, along with some logic for guessing the name of the other language that should be used. Second, an 'inner' language must define an injectionRegex
- a regex pattern that will be tested against the language name provided by the injection point.
For example, in JavaScript, tagged template literals sometimes contain code written in a different language, and the name of the language is often used in the 'tag' function, as shown in this example:
// HTML in a template literal
const htmlContent = html`<div>Hello ${name}</div>`;
The tree-sitter-javascript
parser parses this tagged template literal as a call_expression
with two children: an identifier
and a template_literal
:
(call_expression
(identifier)
(template_literal
(interpolation
(identifier))))
Here is an injection point that would allow syntax highlighting inside of template literals:
atom.grammars.addInjectionPoint("source.js", {
type: "call_expression",
language(callExpression) {
const { firstChild } = callExpression;
if (firstChild.type === "identifier") {
return firstChild.text;
}
},
content(callExpression) {
const { lastChild } = callExpression;
if (lastChild.type === "template_string") {
return lastChild;
}
},
});
The language
callback would then be called with every call_expression
node in the syntax tree. In the example above, it would retrieve the first child of the call_expression
, which is an identifier
with the name "html". The callback would then return the string "html".
The content
callback would then be called with the same call_expression
node and return the template_string
node within the call_expression
node.
In order to parse the HTML within the template string, the HTML grammar file would need to specify an injectionRegex
:
injectionRegex: 'html|HTML'
Code Folding
The next field in the grammar file, folds
, controls code folding. Its value is an array of fold pattern objects. Fold patterns are used to decide whether or not a syntax node can be folded, and if so, where the fold should start and end. Here are some example fold patterns:
folds: [
# All `comment` nodes are foldable. By default, the fold starts at
# the end of the node's first line, and ends at the beginning
# of the node's last line.
{
type: 'comment'
}
# `if_statement` nodes are foldable if they contain an anonymous
# "then" token and either an `elif_clause` or `else_clause` node.
# The fold starts at the end of the "then" token and ends at the
# `elif_clause` or `else_clause`.
{
type: 'if_statement',
start: {type: '"then"'}
end: {type: ['elif_clause', 'else_clause']}
}
# Any node that starts with an anonymous "(" token and ends with
# an anonymous ")" token is foldable. The fold starts after the
# "(" and ends before the ")".
{
start: {type: '"("', index: 0},
end: {type: '")"', index: -1}
}
]
Fold patterns can have one or more of the following fields:
type
- A string or array of strings. In order to be foldable according to this pattern, a syntax node's type must match one of these strings.start
- An object that is used to identify a child node after which the fold should start. The object can have one or both of the following fields:type
- A string or array of strings. To start a fold, a child node's type must match one of these strings.index
- a number that's used to select a specific child according to its index. Negative values are interpreted as indices relative the last child, so that-1
means the last child.
end
- An object that is used to identify a child node before which the fold should end. It has the same structure as thestart
object.
Comments
The last field in the grammar file, comments
, controls the behavior of Pulsar's Editor: Toggle Line Comments
command. Its value is an object with a start
field and an optional end
field. The start field is a string that should be prepended to or removed from lines in order to comment or uncomment them.
In JavaScript, it looks like this:
comments:
start: '// '
The end
field should be used for languages that only support block comments, not line comments. If present, it will be appended to or removed from the end of the last selected line in order to comment or un-comment the selection.
In CSS, it would look like this:
comments:
start: '/* '
end: ' */'
Example Packages
More examples of all of these features can be found in the Tree-sitter grammars bundled with Pulsar:
Creating a Legacy TextMate Grammar
Pulsar's syntax highlighting can be powered by two types of grammars. If you're adding support for a new language, the preferred way is to create a Tree-sitter grammar. Tree-sitter grammars have better performance and provide support for more editor features, such as the Select Larger Syntax Node
command.
This section describes the Pulsar's legacy support for TextMate grammars.
TextMate grammars are supported by several popular text editors. They provide a set of regex (regular expression) patterns which are assigned scopes. These scopes are then turned into the CSS classes that you can target in syntax themes.
Getting Started
TextMate Grammars depend heavily on regexes, and you should be comfortable with interpreting and writing regexes before continuing. Note that Pulsar uses the Oniguruma engine, which is very similar to the PCRE or Perl regex engines. Here are some resources to help you out:
- https://www.regular-expressions.info/tutorial.html provides a comprehensive regex tutorial
- https://www.rexegg.com/regex-quickstart.html contains a cheat sheet for various regex expressions
- https://regex101.com/ or https://regexr.com/ allows live prototyping
- https://github.com/kkos/oniguruma/blob/master/doc/RE the docs for the Oniguruma regex engine
Grammar files are written in the CSON or JSON format. Whichever one you decide to use is up to you, but this tutorial will be written in CSON.
Create the Package
To get started, press LNX/WIN: Ctrl+Shift+P - MAC: Cmd+Shift+P and start typing "Generate Package" to generate a new grammar package. Select "Package Generator: Generate Package," and you'll be asked for the path where your package will be created. Let's call ours language-flight-manual
.
Tip
Grammar packages should start with language-.
The default package template creates a lot of folders that aren't needed for grammar packages. Go ahead and delete the keymaps
, lib
, menus
, and styles
folders. Furthermore, in package.json
, remove the activationCommands
section. Now create a new folder called grammars
, and inside that a file called flight-manual.cson
. This is the main file that we will be working with - start by populating it with a boilerplate template. Now let's go over what each key means.
scopeName
is the root scope of your package. This should generally describe what language your grammar package is highlighting; for example, language-javascript
's scopeName
is source.js
and language-html
's is text.html.basic
. Name it source.flight-manual
for now.
name
is the user-friendly name that is displayed in places like the status bar or the grammar selector. Again, this name should describe what the grammar package is highlighting. Rename it to Flight Manual
.
fileTypes
is an array of filetypes that language-flight-manual
should highlight. We're interested in highlighting the Flight Manual's Markdown files, so add the md
extension to the list and remove the others.
patterns
contains the array of regex patterns that will determine how the file is tokenized.
Adding Patterns
To start, let's add a basic pattern to tokenize the words Flight Manual
whenever they show up. Your regex should look like \bFlight Manual\b
. Here's what your patterns
block should look like:
'patterns': [
{
'match': '\\bFlight Manual\\b'
'name': 'entity.other.flight-manual'
}
]
match
is where your regex is contained, and name
is the scope name that is to be applied to the entirety of the match. More information about scope names can be found in Section 12.4 of the TextMate Manual.
Tip
All scopes should end with the portion of the root scopeName
after the leading source
or text
. In our case, all scopes should end with flight-manual
.
Note
Astute readers may have noticed that the \b
was changed to \\b
with two backslashes and not one. This is because CSON processes the regex string before handing it to Oniguruma, so all backslashes need to be escaped twice.
But what if we wanted to apply different scopes to Flight
and Manual
? This is possible by adding capture groups to the regex and then referencing those capture groups in a new capture
property. For example:
'match': '\\b(Flight) (Manual)\\b'
'name': 'entity.other.flight-manual'
'captures':
'1':
'name': 'keyword.other.flight.flight-manual'
'2':
'name': 'keyword.other.manual.flight-manual'
This will assign the scope keyword.other.flight.flight-manual
to Flight
, keyword.other.manual.flight-manual
to Manual
, and entity.other.flight-manual
to the overarching Flight Manual
.
Begin/End Patterns
Now let's say we want to tokenize the {{#note}}
blocks that occur in Flight Manual files. Our previous two examples used match
, but one limit of match
is that it can only match single lines. {{#note}}
blocks, on the other hand, can span multiple lines. For these cases, you can use the begin
/end
keys. Once the regex in the begin
key is matched, tokenization will continue until the end
pattern is reached.
'begin': '({{)(#note)(}})'
'beginCaptures':
'0': # The 0 capture contains the entire match
'name': 'meta.block.start.flight-manual'
'1':
'name': 'punctuation.definition.block.flight-manual'
'2':
'name': 'keyword.note.flight-manual'
'3':
'name': 'punctuation.definition.block.flight-manual'
'end': '({{)(/note)(}})'
'endCaptures':
'0':
'name': 'meta.block.end.flight-manual'
'1':
'name': 'punctuation.definition.block.flight-manual'
'2':
'name': 'keyword.note.flight-manual'
'3':
'name': 'punctuation.definition.block.flight-manual'
'name': 'meta.block.note.flight-manual'
Tip
Get into the habit of providing punctuation scopes early on. It's much less effort than having to go back and rewriting all your patterns to support punctuation scopes when your grammar starts to get a bit longer!
Awesome, we have our first multiline pattern! However, if you've been following along and playing around in your own .md
file, you may have noticed that Flight Manual
doesn't receive any scopes inside a note block. A begin/end block is essentially a subgrammar of its own: once it starts matching, it will only match its own subpatterns until the end pattern is reached. Since we haven't defined any subpatterns, then clearly nothing will be matched inside of a note block. Let's fix that!
'begin': '({{)(#note)(}})'
'beginCaptures':
'0': # The 0 capture contains the entire match
'name': 'meta.block.start.flight-manual'
'1':
'name': 'punctuation.definition.block.flight-manual'
'2':
'name': 'keyword.note.flight-manual'
'3':
'name': 'punctuation.definition.block.flight-manual'
'end': '({{)(/note)(}})'
'endCaptures':
'0':
'name': 'meta.block.end.flight-manual'
'1':
'name': 'punctuation.definition.block.flight-manual'
'2':
'name': 'keyword.note.flight-manual'
'3':
'name': 'punctuation.definition.block.flight-manual'
'name': 'meta.block.note.flight-manual'
'patterns': [
{
'match': '\\b(Flight) (Manual)\\b'
'name': 'entity.other.flight-manual'
'captures':
'1':
'name': 'keyword.other.flight.flight-manual'
'2':
'name': 'keyword.other.manual.flight-manual'
}
]
There. With the patterns block, Flight Manual
should now receive the proper scopes.
Repositories and the Include keyword, or how to avoid duplication
At this point, note blocks are looking pretty nice, as is the Flight Manual
keyword, but the rest of the file is noticeably lacking any form of Markdown syntax highlighting. Is there a way to include the GitHub-Flavored Markdown grammar without copying and pasting everything over? This is where the include
keyword comes in. include
allows you to include other patterns, even from other grammars! language-gfm
's scopeName
is source.gfm
, so let's include that. Our patterns
block should now look like the following:
'patterns': [
{
'include': 'source.gfm'
}
{
# Flight Manual pattern
}
{
# Note begin/end pattern
}
]
However, including source.gfm
has led to another problem: note blocks still don't have any Markdown highlighting! The quick fix would be to add the include pattern to the note's pattern block as well, but now we're duplicating two patterns. You can imagine that as this grammar grows it'll quickly become inefficient to keep copying each new global pattern over to the note
pattern as well. Therefore, include
helpfully recognizes the special $self
scope. $self
automatically includes all the top-level patterns of the current grammar. The note
block can then be simplified to the following:
'begin': '({{)(#note)(}})'
# beginCaptures
'end': '({{)(/note)(}})'
# endCaptures
'name': 'meta.block.note.flight-manual'
'patterns': [
{
'include': '$self'
}
]
Where to Go from Here
There are several good resources out there that help when writing a grammar. The following is a list of some particularly useful ones (some have been linked to in the sections above as well).
- DamnedScholar's Gist. Provides a template of most keys, each with a short comment explaining their function.
- Aerijo's Gist. Another guide that attempts to fully explain making a grammar package for users of all levels.
- http://www.apeth.com/nonblog/stories/textmatebundle.html. A blog of a programmer's experience writing a grammar package for TextMate.
- Oniguruma docs. The documentation for the regex engine Pulsar uses.
- TextMate Section 12. Pulsar uses the same principles as laid out here, including the list of acceptable scopes.
first-mate
. Not necessary to write a grammar, but a good technical reference for what Pulsar is doing behind the scenes.- Look at any existing packages, such as the ones for Python, JavaScript, HTML, and more.
Converting from TextMate
It's possible that you have themes or grammars from TextMate that you like and use and would like to convert to Pulsar. If so, you're in luck because there are tools to help with the conversion.
Converting a TextMate Grammar Bundle
Converting a TextMate bundle will allow you to use its editor preferences, snippets, and colorization inside Pulsar.
Let's convert the TextMate bundle for the R programming language. You can find other existing TextMate bundles on GitHub.
You can convert the R bundle with the following command:
$ pulsar -p init --package language-r --convert https://github.com/textmate/r.tmbundle
You can now change directory into language-r
to see the converted bundle. Once you link your package with the pulsar -p link
command, your new package is ready to use. Launch Pulsar and open a .r
file in the editor to see it in action!
Converting a TextMate Syntax Theme
This section will go over how to convert a TextMate theme to an Pulsar theme.
Differences
TextMate themes use plist files while Pulsar themes use CSS or Less to style the UI and syntax in the editor.
The utility that converts the theme first parses the theme's plist file and then creates comparable CSS rules and properties that will style Pulsar similarly.
Convert the Theme
Download the theme you wish to convert.
Now, let's say you've downloaded the theme to ~/Downloads/MyTheme.tmTheme
, you can convert the theme with the following command:
$ pulsar -p init --theme my-theme --convert ~/Downloads/MyTheme.tmTheme
You can then change directory to my-theme
to see the converted theme.
Activate the Theme
Once your theme is installed you can enable it by launching Pulsar and opening the Settings View with the LNX: Edit > Preferences - MAC: Pulsar > Preferences - WIN: File > Preferences menu item. Then select the "Themes" tab on the left side navigation. Finally, choose "My Theme" from the "Syntax Theme" dropdown menu to enable your new theme.
Your theme is now enabled, open an editor to see it in action!
Publishing
Pulsar bundles a command line utility called ppm
which we first used back in Command Line to search for and install packages via the command line. This is invoked by using the pulsar
command with the -p
or --package
option. The pulsar -p
command can also be used to publish Pulsar packages to the public registry and update them.
See more in Using PPM.
Prepare Your Package
There are a few things you should double check before publishing:
- Your
package.json
file hasname
,description
, andrepository
fields. - Your
package.json
name
is URL Safe, as in it's not an emoji or special character. - Your
package.json
file has aversion
field with a value of"0.0.0"
. - Your
package.json
version
field is Semver V2 compliant. - Your
package.json
file has anengines
field that contains an entry foratom
such as:"engines": {"atom": ">=1.0.0 <2.0.0"}
. - Your package has a
README.md
file at the root. - Your
repository
URL in thepackage.json
file is the same as the URL of your repository. - Your package is in a Git repository that has been pushed to GitHub. Follow this guide if your package isn't already on GitHub.
Publish Your Package
Before you publish a package it is a good idea to check ahead of time if a package with the same name has already been published to the Pulsar Package Repository. You can do that by visiting https://web.pulsar-edit.dev/packages/your-package-name
to see if the package already exists. If it does, update your package's name to something that is available before proceeding.
Now let's review what the pulsar -p publish
command does:
- Registers the package name on Pulsar Package Repository if it is being published for the first time.
- Updates the
version
field in thepackage.json
file and commits it. - Creates a new Git tag for the version being published.
- Pushes the tag and current branch up to GitHub.
- Updates Pulsar Package Repository with the new version being published.
Now run the following commands to publish your package:
$ cd path-to-your-package
$ pulsar -p publish minor
If this is the first package you are publishing, the pulsar -p publish
command may prompt you for your GitHub username and password. If you have two-factor authentication enabled, use a personal access token in lieu of a password. This is required to publish and you only need to enter this information the first time you publish. The credentials are stored securely in your keychain once you login.
Your package is now published and available on Pulsar Package Repository. Head on over to https://web.pulsar-edit.dev/packages/your-package-name
to see your package's page.
With pulsar -p publish
, you can bump the version and publish by using
$ pulsar -p publish <version-type>
where version-type
can be major
, minor
and patch
.
- MAJOR version when you make incompatible API changes
- MINOR version when you add functionality in a backwards compatible manner
- PATCH version when you make backwards compatible bug fixes
i.e. to bump a package from v1.0.0 to v1.1.0:
$ pulsar -p publish minor
Check out semantic versioning to learn more about best practices for versioning your package releases.
You can also run pulsar -p help publish
to see all the available options and pulsar -p help
to see all the other available commands.
Iconography
Pulsar comes bundled with the Octicons 4.4.0 icon set. Use them to add icons to your packages.
NOTE: Some older icons from version
2.1.2
are still kept for backwards compatibility.
Overview
In the Styleguide under the "Icons" section you'll find all the Octicons that are available.
Usage
Octicons can be added with simple CSS classes in your markup. Prefix the icon names with icon icon-
.
As an example, to add a monitor icon (device-desktop
), use the icon icon-device-desktop
classes:
<span class="icon icon-device-desktop"></span>
Size
Octicons look best with a font-size
of 16px
. It's already used as the default, so you don't need to worry about it. In case you prefer a different icon size, try to use multiples of 16 (32px
, 48px
etc.) for the sharpest result. Sizes in between are ok too, but might look a bit blurry for icons with straight lines.
Usability
Although icons can make your UI visually appealing, when used without a text label, it can be hard to guess its meaning. In cases where space for a text label is insufficient, consider adding a tooltip that appears on hover. Or a more subtle title="label"
attribute would help as well.
Debugging
Pulsar provides several tools to help you understand unexpected behavior and debug problems. This guide describes some of those tools and a few approaches to help you debug and provide more helpful information when submitting issues:
Update to the Latest Version
You might be running into an issue which was already fixed in a more recent version of Pulsar than the one you're using.
If you're using a released version, check which version of Pulsar you're using:
$ pulsar --version
> Pulsar : 1.63.0-dev
> Electron: 12.2.3
> Chrome : 89.0.4389.128
> Node : 14.16.0
You can find the latest releases on the Pulsar Website, follow the links for either the latest release or Cirrus CI version. Make sure to mention which version when logging an issue.
If you're building Pulsar from source, pull down the latest version of master and re-build. Make sure that if logging an issue you include the latest commit hash you built from.
Using Safe Mode
A large part of Pulsar's functionality comes from packages you can install. Pulsar will also execute the code in your init script on startup. In some cases, these packages and the code in the init script might be causing unexpected behavior, problems, or performance issues.
To determine if that is happening, start Pulsar from the terminal in safe mode:
$ pulsar --safe
This starts Pulsar, but does not load packages from LNX/MAC: ~/.pulsar/packages
or ~/.pulsar/dev/packages
- WIN: %USERPROFILE%\.pulsar\packages
or %USERPROFILE%\.pulsar\dev\packages
. and disables loading of your init script. If you can no longer reproduce the problem in safe mode, it's likely it was caused by one of the packages or the init script.
If removing or commenting out all content from the init script and starting Pulsar normally still produces the error, then try figuring out which package is causing trouble. Start Pulsar normally again and open the Settings View with LNX/WIN: Ctrl+, - MAC: Cmd+,. Since the Settings View allows you to disable each installed package, you can disable packages one by one until you can no longer reproduce the issue. Restart Pulsar or reload Pulsar with LNX/WIN: Ctrl+Shift+F5 - MAC: Alt+Cmd+Ctrl+L. after you disable each package to make sure it's completely gone.
When you find the problematic package, you can disable or uninstall the package. We strongly recommend creating an issue on the package's GitHub repository.
Clearing Saved State
Pulsar saves a number of things about your environment when you exit in order to restore Pulsar to the same configuration when you next launch the program. In some cases the state that gets saved can be something undesirable that prevents Pulsar from working properly. In these cases, you may want to clear the state that Pulsar has saved.
DANGER
Clearing the saved state permanently destroys any state that Pulsar has saved across all projects. This includes unsaved changes to files you may have been editing in all projects. This is a destructive action.
Clearing the saved state can be done by opening a terminal and executing:
$ pulsar --clear-window-state
Reset to Factory Defaults
In some cases, you may want to reset Pulsar to "factory defaults", in other words clear all of your configuration and remove all packages. This can easily be done by opening a terminal and executing:
Once that is complete, you can launch Pulsar as normal. Everything will be just as if you first installed Pulsar.
Tip
The command given above doesn't delete the old configuration, just puts it somewhere that Pulsar can't find it. If there are pieces of the old configuration you want to retrieve, you can find them in the LNX/MAC: ~/.pulsar-backup
- WIN: %USERPROFILE%\.pulsar-backup
directory.
Check for Linked Packages
If you develop or contribute to Pulsar packages, there may be left-over packages linked to your LNX/MAC: ~/.pulsar/packages
or ~/.pulsar/dev/packages
- WIN: %USERPROFILE%\.pulsar\packages
or %USERPROFILE%\.pulsar\dev\packages
. directories. You can use the pulsar -p links
command to list all linked packages:
$ pulsar -p links
> /Users/pulsy/.pulsar/dev/packages (0)
> └── (no links)
> /Users/pulsy/.pulsar/packages (1)
> └── color-picker -> /Users/pulsy/github/color-picker
You can remove links using the pulsar -p unlink
command:
$ pulsar -p unlink color-picker
> Unlinking /Users/pulsy/.pulsar/packages/color-picker ✓
See pulsar -p links --help
and pulsar -p unlink --help
for more information on these commands.
Tip
You can also use pulsar -p unlink --all
to easily unlink all packages and themes.
Check for Incompatible Packages
If you have packages installed that use native Node modules, when you upgrade to a new version of Pulsar, they might need to be rebuilt. Pulsar detects this and through the incompatible-packages package displays an indicator in the status bar when this happens.
If you see this indicator, click it and follow the instructions.
Check Pulsar and Package Settings
In some cases, unexpected behavior might be caused by settings in Pulsar or in one of the packages.
Open Pulsar's Settings View with LNX/WIN: Ctrl+, - MAC: Cmd+,, the LNX: Edit > Preferences - MAC: Pulsar > Preferences - WIN: File > Preferences menu option, or the Settings View: Open
command from the Command Palette.
Check Pulsar's settings in the Settings View, there's a description of most configuration options in the Basic Customization section. For example, if you want Pulsar to hide the invisible symbols representing whitespace characters, disable the "Show Invisibles" option.
Some of these options are also available on a per-language basis which means that they may be different for specific languages, for example JavaScript or Python. To check the per-language settings, open the settings for the language package under the Packages tab in the Settings View, for example the language-javascript or language-python package.
Since Pulsar ships with a set of packages and you can also install additional packages yourself, check the list of packages and their settings. For instance, if you'd like to get rid of the vertical line in the middle of the editor, disable the Wrap Guide package. And if you don't like it when Pulsar strips trailing whitespace or ensures that there's a single trailing newline in the file, you can configure that in the whitespace package's settings.
Check Your Configuration
You might have defined some custom styles, keymaps or snippets in one of your configuration files. In some situations, these personal hacks might be causing the unexpected behavior you're observing so try clearing those files and restarting Pulsar.
Check Your Keybindings
If a command is not executing when you press a key combination or the wrong command is executing, there might be an issue with the keybinding for that combination. Pulsar ships with the Keybinding Resolver, a neat package which helps you understand what key Pulsar saw you press and the command that was triggered because of it.
Show the keybinding resolver with LNX/WIN: Ctrl+. - MAC: Cmd+., or with Keybinding Resolver: Show
from the Command palette. With the Keybinding Resolver shown, press a key combination:
The Keybinding Resolver shows you a list of keybindings that exist for the key combination, where each item in the list has the following:
- the command for the keybinding
- the CSS selector used to define the context in which the keybinding is valid
- the file in which the keybinding is defined
The keybindings are listed in two colors. All the keybindings that are matched but not executed are shown in gray. The one that is executed, if any, is shown in green. If the command you wanted to trigger isn't listed, then a keybinding for that command hasn't been loaded.
If multiple keybindings are matched, Pulsar determines which keybinding will be executed based on the specificity of the selectors and the order in which they were loaded. If the command you wanted to trigger is listed in the Keybinding Resolver, but wasn't the one that was executed, this is normally explained by one of two causes:
The key combination was not used in the context defined by the keybinding's selector
For example, you can't trigger the keybinding for the
tree-view:add-file
command if the Tree View is not focused.There is another keybinding that took precedence
This often happens when you install a package which defines keybindings that conflict with existing keybindings. If the package's keybindings have selectors with higher specificity or were loaded later, they'll have priority over existing ones.
Pulsar loads core Pulsar keybindings and package keybindings first, and user-defined keybindings last. Since user-defined keybindings are loaded last, you can use your keymap.cson
file to tweak the keybindings and sort out problems like these. See the Keymaps in Depth section for more information.
If you notice that a package's keybindings are taking precedence over core Pulsar keybindings, it might be a good idea to report the issue on that package's GitHub repository. You can contact Pulsar maintainers on Pulsar's github discussions.
Check Font Rendering Issues
You can determine which fonts are being used to render a specific piece of text by using the Developer Tools. To open the Developer Tools press LNX/WIN: Ctrl+Shift+I - MAC: Alt+Cmd+I. Once the Developer Tools are open, click the "Elements" tab. Use the standard tools for finding the element containing the text you want to check. Once you have selected the element, you can click the "Computed" tab in the styles pane and scroll to the bottom. The list of fonts being used will be shown there:
Check for Errors in the Developer Tools
When an unexpected error occurs in Pulsar, you will normally see a red notification which provides details about the error and allows you to create an issue on the right repository:
Not all errors are logged with a notification so if you suspect you're experiencing an error but there's no notification, you can also look for errors in the developer tools Console tab. To access the Console tab, press LNX/WIN: Ctrl+Shift+I - MAC: Alt+Cmd+I to open developer tools and then click the Console tab:
If there are multiple errors, you can scroll down to the bottom of the panel to see the most recent error. Or while reproducing an error, you can right click in the Console tab panel, select Clear console
to remove all Console output, and then reproduce the error to see what errors are logged to the Console tab.
Note
When running in Dev Mode, the developer tools are automatically shown with the error logged in the Console tab.
Find Crash Logs
Diagnose Startup Performance
If Pulsar is taking a long time to start, you can use the Timecop package to get insight into where Pulsar spends time while loading.
Timecop displays the following information:
- Pulsar startup times
- File compilation times
- Package loading and activation times
- Theme loading and activation times
If a specific package has high load or activation times, you might consider reporting an issue to the maintainers. You can also disable the package to potentially improve future startup times.
Diagnose Runtime Performance
If you're experiencing performance problems in a particular situation, your Issue reports will be more valuable if you include a saved profile from Chrome's CPU profiler that gives some insight into what is slow.
To run a profile, open the Developer Tools with LNX/WIN: Ctrl+Shift+I - MAC: Alt+Cmd+I. From there:
- Click the Profiles tab
- Select "Collect JavaScript CPU Profile"
- Click "Start"
Once that is done, then perform the slow action to capture a recording. When finished, click "Stop". Switch to the "Chart" view, and a graph of the recorded actions will appear. You can save and post the profile data by clicking "Save" next to the profile's name in the left panel.
To learn more, check out the Chrome documentation on CPU profiling.
Profiling Startup Performance
If the time for loading the window looks high, you can create a CPU profile for that period using the --profile-startup
command line flag when starting Pulsar:
$ pulsar --profile-startup .
This will automatically capture a CPU profile as Pulsar is loading and open the Developer Tools once Pulsar loads. From there:
- Click the Profiles tab in the Developer Tools
- Select the "startup" profile
- Click the "Save" link for the startup profile
You can then include the startup profile in any issue you report.
Check Your Build Tools
If you are having issues installing a package using pulsar -p install
, this could be because the package has dependencies on libraries that contain native code. This means you will need to have a C++ compiler and Python installed to be able to install it. You can run pulsar -p install --check
to see if the Pulsar package manager can build native code on your machine.
Check out the pre-requisites in the build instructions for your platform for more details.
Check if your GPU is causing the problem
If you encounter flickering or other rendering issues, you can stop Pulsar from using your Graphics Processing Unit (GPU) with the --disable-gpu
Chromium flag to see if the fault lies with your GPU:
$ pulsar --disable-gpu
Chromium (and thus Pulsar) normally uses the GPU to accelerate drawing parts of the interface. --disable-gpu
tells Pulsar to not even attempt to do this, and just use the CPU for rendering everything. This means that the parts of the interface that would normally be accelerated using the GPU will instead take slightly longer and render on the CPU. This likely won't make a noticeable difference, but does slightly increase the battery usage on portable devices as the CPU has to work harder to do the things the GPU is optimized for.
Two other Chromium flags that are useful for debugging are --enable-gpu-rasterization
and --force-gpu-rasterization
:
$ pulsar --enable-gpu-rasterization --force-gpu-rasterization
--enable-gpu-rasterization
allows other commands to determine how a layer tile (graphics) should be drawn and --force-gpu-rasterization
determines that the Skia GPU backend should be used for drawing layer tiles (only valid with GPU accelerated compositing).
Be sure to use Chromium flags at the end of the terminal call if you want to use other Pulsar flags as they will not be executed after the Chromium flags e.g.:
$ pulsar --safe --enable-gpu-rasterization --force-gpu-rasterization
Writing Specs
We've looked at and written a few specs through the examples already. Now it's time to take a closer look at the spec framework itself. How exactly do you write tests in Pulsar?
Pulsar uses Jasmine as its spec framework. Any new functionality should have specs to guard against regressions.
Create a New Spec
Pulsar specs and package specs are added to their respective spec
directory. The example below creates a spec for Pulsar core.
Create a Spec File
Spec files must end with -spec
so add sample-spec.js
to the spec
directory.
describe
Methods
Add One or More The describe
method takes two arguments, a description and a function. If the description explains a behavior it typically begins with when
; if it is more like a unit test it begins with the method name.
describe("when a test is written", function () {
// contents
});
or
describe("Editor::moveUp", function () {
// contents
});
it
Methods
Add One or More The it
method also takes two arguments, a description and a function. Try and make the description flow with the it
method. For example, a description of "this should work" doesn't read well as "it this should work". But a description of "should work" sounds great as "it should work".
describe("when a test is written", function () {
it("has some expectations that should pass", function () {
// Expectations
});
});
Add One or More Expectations
The best way to learn about expectations is to read the Jasmine documentation about them. Below is a simple example.
describe("when a test is written", function () {
it("has some expectations that should pass", function () {
expect("apples").toEqual("apples");
expect("oranges").not.toEqual("apples");
});
});
Custom Matchers
In addition to the Jasmine's built-in matchers, Pulsar includes the following:
- jasmine-jquery
- The
toBeInstanceOf
matcher is for theinstanceof
operator - The
toHaveLength
matcher compares against the.length
property - The
toExistOnDisk
matcher checks if the file exists in the filesystem - The
toHaveFocus
matcher checks if the element currently has focus - The
toShow
matcher tests if the element is visible in the dom
These are defined in spec/spec-helper.js.
Asynchronous Specs
Writing Asynchronous specs can be tricky at first. Some examples.
Promises
Working with promises is rather easy in Pulsar. You can use our waitsForPromise
function.
describe("when we open a file", function () {
it("should be opened in an editor", function () {
waitsForPromise(function () {
atom.workspace
.open("c.coffee")
.then((editor) => expect(editor.getPath()).toContain("c.coffee"));
});
});
});
This method can be used in the describe
, it
, beforeEach
and afterEach
functions.
describe("when we open a file", function () {
beforeEach(function () {
waitsForPromise(() => atom.workspace.open("c.coffee"));
});
it("should be opened in an editor", function () {
expect(atom.workspace.getActiveTextEditor().getPath()).toContain(
"c.coffee"
);
});
});
If you need to wait for multiple promises use a new waitsForPromise
function for each promise. (Caution: Without beforeEach
this example will fail!)
describe("waiting for the packages to load", function () {
beforeEach(function () {
waitsForPromise(() => atom.workspace.open("sample.js"));
waitsForPromise(() => atom.packages.activatePackage("tabs"));
waitsForPromise(() => atom.packages.activatePackage("tree-view"));
});
it("should have waited long enough", function () {
expect(atom.packages.isPackageActive("tabs")).toBe(true);
expect(atom.packages.isPackageActive("tree-view")).toBe(true);
});
});
waitsForPromise
can take an additional object argument before the function. The object can have the following properties:
shouldReject
Whether the promise should reject or resolve (default:false
)timeout
The amount of time (in ms) to wait for the promise to be resolved or rejected (default:p
)rocess.env.CI ? 60000 : 5000 label
The label to display if promise times out (default:'promise to be resolved or rejected'
)
describe("when we open a file", function () {
it("should be opened in an editor", function () {
waitsForPromise(
{
shouldReject: false,
timeout: 5000,
label: "promise to be resolved or rejected",
},
() =>
atom.workspace
.open("c.coffee")
.then((editor) => expect(editor.getPath()).toContain("c.coffee"))
);
});
});
Asynchronous Functions with Callbacks
Specs for asynchronous functions can be done using the waitsFor
and runs
functions. A simple example.
describe("fs.readdir(path, cb)", function () {
it("is async", function () {
const spy = jasmine.createSpy("fs.readdirSpy");
fs.readdir("/tmp/example", spy);
waitsFor(() => spy.callCount > 0);
runs(function () {
const exp = [null, ["example.coffee"]];
expect(spy.mostRecentCall.args).toEqual(exp);
expect(spy).toHaveBeenCalledWith(null, ["example.coffee"]);
});
});
});
For a more detailed documentation on asynchronous tests please visit the Jasmine documentation.
Running Specs
Most of the time you'll want to run specs by triggering the window:run-package-specs
command. This command is not only to run package specs, it can also be used to run Pulsar core specs when working on Pulsar itself. This will run all the specs in the current project's spec
directory.
To run a limited subset of specs use the fdescribe
or fit
methods. You can use those to focus a single spec or several specs. Modified from the example above, focusing an individual spec looks like this:
describe("when a test is written", function () {
fit("has some expectations that should pass", function () {
expect("apples").toEqual("apples");
expect("oranges").not.toEqual("apples");
});
});
Running on CI
It is now easy to run the specs in a CI environment like Travis and AppVeyor. See the Travis CI For Your Packages and AppVeyor CI For Your Packages posts for more details.
Running via the Command Line
To run tests on the command line, run Pulsar with the --test
flag followed by one or more paths to test files or directories. You can also specify a --timeout
option, which will force-terminate your tests after a certain number of seconds have passed.
pulsar --test --timeout 60 ./test/test-1.js ./test/test-2.js
Customizing your test runner
By default, package tests are run with Jasmine 1.3, which is outdated but can't be changed for compatibility reasons. You can specify your own custom test runner by including an atomTestRunner
field in your package.json
. Pulsar will require whatever module you specify in this field, so you can use a relative path or the name of a module in your package's dependencies.
Your test runner module must export a single function, which Pulsar will call within a new window to run your package's tests. Your function will be called with the following parameters:
testPaths
An array of paths to tests to run. Could be paths to files or directories.buildAtomEnvironment
A function that can be called to construct an instance of theatom
global. Noatom
global will be explicitly assigned, but you can assign one in your runner if desired. This function should be called with the following parameters:applicationDelegate
An object responsible for Pulsar's interaction with the browser process and host OS. UsebuildDefaultApplicationDelegate
for a default instance. You can override specific methods on this object to prevent or test these interactions.window
A window global.document
A document global.configDirPath
A path to the configuration directory (usually~/.pulsar
).enablePersistence
A boolean indicating whether the Pulsar environment should save or load state from the file system. You probably want this to befalse
.
buildDefaultApplicationDelegate
A function that builds a default instance of the application delegate, suitable to be passed as theapplicationDelegate
parameter tobuildAtomEnvironment
.logFile
An optional path to a log file to which test output should be logged.headless
A boolean indicating whether or not the tests are being run from the command line viapulsar --test
.legacyTestRunner
This function can be invoked to run the legacy Jasmine runner, giving your package a chance to transition to a new test runner while maintaining a subset of its tests in the old environment.
Your function should return a promise that resolves to an exit code when your tests are finished running. This exit code will be returned when running your tests via the command line.
Handling URIs
Packages have the ability to handle special URIs triggered from the system; for example, a package named my-package
can register itself to handle any URI starting with atom://my-package/
.
WARNING
Handling URIs triggered from other applications, like a web browser, is a powerful tool, but also one that can be jarring. You should shape your package's user experience to handle this well. In general, you should avoid taking direct action on behalf of a user. For example, a URI handler that immediately installs a package is too invasive, but a URI handler that shows the package's pane in the settings view is useful. A URI handler that begins to clone a repo is overly aggressive, but a URI handler that prompts the user to clone a repo is okay.
Any package with a URI handler that we feel violates this guideline is subject to removal from the Pulsar package registry at our discretion.
package.json
Modifying your The first step to handling URIs from your package is to modify its package.json
file. You should add a new key called uriHandler
, and its value should be an object.
The uriHandler
object must contain a key called method
with a string value that tells Pulsar which method in your package to call when a URI needs to be handled. The object can optionally include a key called deferActivation
which can be set to the boolean false
to prevent Pulsar from deferring activation of your package — see more below.
For example, if we want our package my-package
to handle URIs with a method on our package's main module called handleURI
, we could add the following to our package.json
:
"uriHandler": {
"method": "handleURI"
}
Modifying your Main Module
Now that we've told Pulsar that we want our package to handle URIs beginning with atom://my-package/
via our handleURI
method, we need to actually write this method. Pulsar passes two arguments to your URI handler method; the first one is the fully-parsed URI plus query string, parsed with Node's url.parse(uri, true)
. The second argument is the raw, string URI; this is normally not needed since the first argument gives you structured information about the URI.
Here's a sample package, written in JavaScript, that handles URIs with the package.json
configuration we saw above.
export default {
activate() {
// normal activation code here
},
handleURI(parsedUri) {
console.log(parsedUri);
},
};
When Pulsar handles, for example, the URI atom://my-package/my/test/url?value=42&other=false
, the package would log out something like the following:
{
protocol: 'atom:',
slashes: true,
auth: null,
host: 'my-package',
port: null,
hostname: 'my-package',
hash: null,
search: '?value=true&other=false',
query: { value: '42', other: 'false' },
pathname: '/my/test/url',
path: '/my/test/url?value=true&other=false',
href: 'atom://my-package/my/test/url?value=true&other=false'
}
Notice that the query string arguments are available in the query
property, but are strings — you'll have to convert to other native types yourself.
Controlling Activation Deferral
For performance reasons, adding a uriHandler
entry to your package's package.json
will enable deferred activation. This means that Pulsar will not activate your package until it has a URI for it to handle — it will then activate your package and then immediately call the URI handler method. If you want to disable the deferred activation, ensuring your package is activated upon startup, you can add "deferActivation": false
to the URI handler config. For example,
"uriHandler": {
"method": "handleURI",
"deferActivation": false
}
Before doing this, make sure your package actually needs to be activated immediately — disabling deferred activation means Pulsar takes longer to start since it has to activate all packages without deferred activation.
Linux Support
Because URI handling is different across operating systems and distributions, there is no built-in URI handler support for Pulsar on Linux. If you want to configure URI handling on your system yourself, then you should configure atom:
protocol URI's to trigger Pulsar with the --uri-handler
flag; for example, the URI atom://test/uri
should launch Atom via atom --uri-handler atom://test/uri
.
Core URIs
Pulsar provides a core URI to handle opening files with the syntax atom://core/open/file?filename=<filepath>&line=<line>&column=<col>
Cross-Platform Compatibility
Pulsar runs on a number of platforms and while Electron and Node take care of many of the details there are still some considerations to ensure your package works on other operating systems.
Symlinks
File symlinks can be used on Windows by non-Administrators by specifying 'junction' as the type (this argument is ignored on macOS & Linux).
Also consider:
- Symlinks committed to Git will not checkout correctly on Windows - dynamically create what you need with
fs.symlink
instead - Symlinked directories are only available to Administrators on Windows - avoid a dependency on them
Filenames
- Reserved filenames on Windows are
com1
-com9
,lpt1
-lpt9
,con
,nul
,aux
andprn
(regardless of extension, e.g.prn.txt
is disallowed) - Reserved characters on Windows are ? \ / < > ? % | : " so avoid where possible
- Names with spaces when passed to the command line;
- Linux and macOS require a backslash before each space e.g.
/my\ test
- Windows requires you surround the path with double quotes e.g.
"c:\my test"
- Linux and macOS require a backslash before each space e.g.
File paths
- Windows uses
\
although some tools and PowerShell allow/
too - macOS and Linux use
/
You can dynamically find out what your platform uses with path.sep
or better yet use the node path library functions such as join
and normalize
which automatically take care of this.
Windows supports up to 250 characters for a path - avoid deeply nested directory structures
Paths are not URLs
URL parsing routines should not be used on file paths. While they initially look like a relative path it will fail in a number of scenarios on all platforms.
- Various characters are misinterpreted, e.g.
?
as query string,#
as a fragment identifier - Windows drive specifiers are incorrectly parsed as a protocol
If you need to use a path for a URL use the file: protocol with an absolute path instead to ensure drive letters and slashes are appropriately addressed, e.g. file:///c|/test/pic.png
fs.stat
on directories
The fs.stat
function does not return the size of the contents of a directory but rather the allocation size of the directory itself. This returns 0 on Windows and 1024 on macOS and so should not be relied upon.
path.relative
can't traverse drives
- On a Linux or macOS system
path.relative
can be used to calculate a relative path to traverse between any two given paths. - On Windows this is not always possible as it can contain multiple absolute roots, e.g.
c:\
andd:\
Rapid file operations
Creation and deletion operations may take a few milliseconds to complete. If you need to remove many files and folders consider RimRAF which has built-in retry logic for this.
Line endings
- Linux and macOS use
LF
- Windows uses
CRLF
- Git on Windows often has
autocrlf
set which automatically converts between the two
If you are writing specs that use text file fixtures consider that this will interfere with file lengths, hash codes and direct text comparisons. It will also change the Atom selection length by 1 character per line.
If you have spec fixtures that are text files you may want to tell Git to force LF, CRLF or not convert them by specifying the paths in .gitattributes
e.g.
spec/fixtures/always-crlf.txt eol=crlf
spec/fixtures/always-lf.txt eol=lf
spec/fixtures/leave-as-is.txt -text
Contributing to Official Pulsar Packages
If you discover a bug or issue with an official Pulsar package then feel free to open up the issue in that specific repository instead. When in doubt just open the issue on the pulsar-edit/pulsar repository but be aware that it may get transferred to the proper package's repository.
Hacking on Packages
Cloning
The first step is creating your own clone. For some packages, you may also need to install the requirements necessary for building Pulsar in order to run pulsar -p install
.
For example, if you want to make changes to the tree-view
package, fork the repo on your GitHub account, then clone it:
$ git clone https://github.com/pulsar-edit/tree-view.git
Next install all the dependencies:
$ cd tree-view
$ pulsar -p install
> Installing modules ✓
Now you can link it to development mode so when you run an Pulsar window with pulsar -p --dev
, you will use your fork instead of the built in package:
$ pulsar -p link -d
Running in Development Mode
Editing a package in Pulsar is a bit of a circular experience: you're using Pulsar to modify itself. What happens if you temporarily break something? You don't want the version of Pulsar you're using to edit to become useless in the process. For this reason, you'll only want to load packages in development mode while you are working on them. You'll perform your editing in stable mode, only switching to development mode to test your changes.
To open a development mode window, use the Application: Open Dev
command. You can also run dev mode from the command line with pulsar --dev
.
To load your package in development mode, create a symlink to it in LNX/MAC: ~/.pulsar/dev/packages
- WIN: %USERPROFILE%\.pulsar\dev\packages
. This occurs automatically when you clone the package with pulsar -p develop
. You can also run pulsar -p link --dev
and pulsar -p unlink --dev
from the package directory to create and remove dev-mode symlinks.
Installing Dependencies
You'll want to keep dependencies up to date by running pulsar -p update
after pulling any upstream changes.
Creating a Fork of a Core Package
Several of Pulsar's core packages are maintained in the packages
directory of the pulsar-edit/pulsar repository. If you would like to use one of these packages as a starting point for your own package, please follow the steps below.
Tip
In most cases, we recommend generating a brand new package or a brand new theme as the starting point for your creation. The guide below applies only to situations where you want to create a package that closely resembles a core Pulsar package.
Creating Your New Package
For the sake of this guide, let's assume that you want to start with the current code in the one-light-ui package, make some customizations to it, and publish your new package under the name "one-light-ui-plus".
Download the current contents of the pulsar-edit/pulsar repository as a zip file
Unzip the file to a temporary location (for example LNX/MAC:
/tmp/pulsar
- WIN:C:\TEMP\pulsar
)Copy the contents of the desired package into a working directory for your fork
- Create a local repository and commit the initial contents
$ git init
$ git commit -am "Import core Pulsar package"
Update the
name
property inpackage.json
to give your package a unique nameMake the other customizations that you have in mind
Commit your changes
$ git commit -am "Apply initial customizations"
Create a public repository on github.com for your new package
Follow the instructions in the github.com UI to push your code to your new online repository
Follow the steps in the Publishing guide to publish your new package
Merging Upstream Changes into Your Package
The code in the original package will continue to evolve over time, either to fix bugs or to add new enhancements. You may want to incorporate some or all of those updates into your package. To do so, you can follow these steps for merging upstream changes into your package.
Maintaining a Fork of a Core Package
Originally, each of Atom's core packages resided in a separate repository. In 2018, in an effort to streamline the development of Atom by reducing overhead, the Atom team consolidated many core Atom packages into the atom/atom repository. For example, the one-light-ui package was originally maintained in the atom/one-light-ui repository, but was moved to the packages/one-light-ui
directory in the main repository.
The Pulsar team has continued this trend and has move even more packages into the core, particularly default language packages. A list of these packages moved can be found in this document.
If you forked one of the core packages before it was moved into the atom/atom or pulsar-edit/pulsar repository, and you want to continue merging upstream changes into your fork, please follow the steps below.
Step-by-step guide
For the sake of this guide, let's assume that you forked the pulsar-edit/one-light-ui repository, renamed your fork to one-light-ui-plus
, and made some customizations.
Add pulsar-edit/pulsar as a Remote
Navigate to your local clone of your fork:
$ cd path/to/your/fork
Add the pulsar-edit/pulsar repository as a git remote:
$ git remote add upstream https://github.com/pulsar-edit/pulsar.git
Get the Latest Changes for the Core Package
Tip
Follow these steps each time you want to merge upstream changes into your fork.
Fetch the latest changes from the pulsar-edit/pulsar repository:
$ git fetch upstream
Identify recent changes to the core package. For example, if you're maintaining a fork of the one-light-ui package, then you'll want to identify recent changes in the packages/one-light-ui
directory:
$ git log --oneline upstream/master -- packages/one-light-ui
f884f6de8 [themes] Rename A[a]tom -> P[p]ulsar
0db3190f4 Additional rebranding where needed
234adb874 Remove deprecated code strings
...
Look through the log and identify the commits that you want to merge into your fork.
Merge Upstream Changes into Your Fork
For each commit that you want to bring into your fork, use [git format-patch
][https://git-scm.com/docs/git-format-patch] in conjunction with [git am
][https://git-scm.com/docs/git-am]. For example, to merge commit f884f6de8
into your fork:
$ git format-patch -1 --stdout f884f6de8 | git am -p3
Repeat this step for each commit that you want to merge into your fork.
Summary
If you finished this chapter, you should be an Pulsar-hacking master. We've discussed how you should work with JavaScript and CoffeeScript, and how to put it to good use in creating packages. You should also be able to do this in your own created theme now.
Even when something goes wrong, you should be able to debug this easily. But also fewer things should go wrong, because you are capable of writing great specs for Pulsar.
In the next chapter, we’ll go into more of a deep dive on individual internal APIs and systems of Pulsar, even looking at some Pulsar source to see how things are really getting done.
Having trouble?
If you have any issues then please feel free to ask for help from the Pulsar Team or the wider community via any of our Community areas
If you think you have found a bug then please have a look through our existing issues and if you can't find anything then please create a new bug report.