- 
                Notifications
    You must be signed in to change notification settings 
- Fork 7.6k
Extension API Research
- This is a revision based on previous extension research and some Extension Robustness thoughts
- Originally, created as part of the Extension API research story. See the "Proposed API changes" section for the start of this research.
- (See "Extension API Evolution" for earlier thoughts than this proposal, including more detail on the longer-term ideas such as restartless extensions & sandboxing)
Brackets has grown tremendously since its initial release and the overall architecture has held up well with that growth. That said, there are some things that we've learned over time that could change some of the patterns used in extensions. This isn't about the entire surface area of the Brackets API, which is something we improve incrementally. This is about improving patterns that appear in every single extension.
- 
brackets.getModulewas always considered to be something of a hack to allow extensions to get at Brackets core code
- Extensions have no way of sharing services
- Promises/A+ has caught on and those basic semantics are already shipping as a standard Promise object in Chrome and Firefox
- jQuery promises don't quite follow this spec
- Brackets has error handling needs that are different from many client side projects because extension code is not maintained by the same people maintaining Brackets itself. Errors in extensions can significantly impact Brackets' operation.
The goal of this project is to make changes to patterns that spread throughout Brackets and extensions to improve our foundation for 1.0 and beyond:
- Module loading
- Promises
- Events
This document serves as a presentation of the basic idea with some strawman proposals. The final implementation will vary based on research and feedback.
We are at a crossroads in JavaScript modules right now. ECMAScript 6 (ES6, the next version of the JavaScript standard) will soon have a native module system that draws heavily from the CommonJS module system. The module specs and transpilers have matured to a point at which we could reasonably switch to ES6 modules. There are even module loaders that can handle AMD, CommonJS and ES6 modules. Looking purely to the future, ES6 modules would be the way to go. However, it would be reasonable to choose CommonJS modules today, because that is what Node supports natively and what the tens of thousands of packages in npm are designed to support. A small bit of research could likely show us whether ES6 module interop is good enough now to make the leap. AngularJS 2.0 makes the leap to ES6 modules as does Ember 1.6 so it may not be an unreasonable choice.
All of that said, the most straightforward path at this stage would be to use Cajon which is RequireJS but supports CommonJS formatted modules.
Regardless of the module format, the changes we'd make to module loading are:
- The same mechanism is used to load modules from Brackets as is used for loading extension modules
- Brackets core modules will be under a "core" namespace ("core/ProjectManager", for example).
- The door will be opened for extensions to use services provided by other extensions. This wouldn't be enabled at first, but this is the reason Brackets core features would be in the "core" namespace.
There is some more detail on the module loader and module format card in Trello.
With the Promise object already appearing in 48% of browsers (with Safari coming soon), the standard is clear and does not behave as jQuery promises do. With a standard in hand, it is likely that more libraries will start using promises and that alone is a good benefit for switching. Beyond that, error handling is better in other promises implementations. Troubleshooting asynchronous behavior is difficult enough without errors getting transparently swallowed.
In addition to the non-standard error handling, jQuery also has an API that is different from the standard (different names, different chaining) and jQuery will synchronously call a handler whereas the standard ensures that all handlers are called asynchronously.
Bluebird and Q are both well regarded promises libraries that we could choose from. Both libraries can wrap a jQuery promise with their own to ensure consistent behavior. Both can provide additional debugging information during development that show where the promise was created. The most important aspects for us today are:
- following the standard
- providing a clear deprecation/upgrade path
Changing promises implementations is potentially the most difficult change, as far as backwards compatibility is concerned and there is a research card to study the impact. An initial quick look at a few extensions made it appear promising that we can provide a nice upgrade path without breaking many, if any, extensions.
A misbehaved event handler can prevent other handlers from receiving events, which has the potential to make many parts of Brackets fail in ways that are hard to trace. This is not a problem that typical web applications have and capturing exceptions in handlers can potentially slow down notifications because v8 does not optimize functions with try/catch. For Brackets, including the try/catch in most event notifications will ensure that even if one handler fails, the rest get the message.
Additionally, we can reduce coupling by using a global event bus between subsystems and an EventEmitter pattern within subsystems or when dealing with specific, non-singleton objects. This will make testing easier and provide an easy place to hook in logging for debugging.
Also, we can potentially reduce the chances of typos in event names by warning about unregistered event names. (Check for undefined events after all extensions have loaded.)
AppInit could be replaced by a type of channel that fires once per subscriber and remembers that it has fired.
Following the example of Postal (and easing backwards compatibility), the first argument to event handlers can be an "envelope" that provides metadata.
The good news is that we should be able to provide deprecation warnings and give a backwards-compatible transition to the new style. The biggest question mark around compatibility is with the promises upgrade.
I used the main.js file from brackets-git-info as a sample. I stripped out most of the file to focus on the important bits.
// Adapted from brackets-git-info's main.js
/*global brackets, define, $, window, Mustache */
define(function (require, exports, module) {
    'use strict';
    
    var AppInit             = brackets.getModule("utils/AppInit"),
        CommandManager      = brackets.getModule("command/CommandManager"),
        Dialogs             = brackets.getModule("widgets/Dialogs"),
        ExtensionUtils      = brackets.getModule("utils/ExtensionUtils"),
        FileUtils           = brackets.getModule("file/FileUtils"),
        Menus               = brackets.getModule("command/Menus"),
        FileSystem          = brackets.getModule("filesystem/FileSystem"),
        LanguageManager     = brackets.getModule("language/LanguageManager"),
        NodeConnection      = brackets.getModule("utils/NodeConnection"),
        DocumentManager     = brackets.getModule("document/DocumentManager"),
        ProjectManager      = brackets.getModule("project/ProjectManager"),
        qunitRunner         = require("main_qunit"),
        jasmineRunner       = require("main_jasmine"),
        jasmineNodeRunner   = require("main_jasmine_node"),
        nodeRunner          = require("main_node"),
        yuiRunner           = require("main_yui"),
        MyStatusBar         = require("MyStatusBar");
    var moduledir           = FileUtils.getNativeModuleDirectoryPath(module),
        commands            = [],
        YUITEST_CMD         = "yuitest_cmd",
        JASMINETEST_CMD     = "jasminetest_cmd",
        QUNITTEST_CMD       = "qunit_cmd",
        SCRIPT_CMD          = "script_cmd",
        NODETEST_CMD        = "nodetest_cmd",
        GENERATE_JASMINE_CMD = "generate_jasmine_cmd",
        GENERATE_QUNIT_CMD  = "generate_qunit_cmd",
        GENERATE_YUI_CMD    = "generate_yui_cmd",
        VIEWHTML_CMD        = "viewhtml_cmd",
        projectMenu         = Menus.getContextMenu(Menus.ContextMenuIds.PROJECT_MENU),
        workingsetMenu      = Menus.getContextMenu(Menus.ContextMenuIds.WORKING_SET_MENU),
        nodeConnection      = new NodeConnection(),
        _windows            = {},
        enableHtml          = false;
    // opens an html file in a new window
    function viewHtml() {
        var entry = ProjectManager.getSelectedItem();
        if (entry === undefined) {
            entry = DocumentManager.getCurrentDocument().file;
        }
        var path = entry.fullPath;
        var w = window.open(path);
        w.focus();
    }
    // reads config.js to determine if brackets-xunit should be disabled for the current project
    function readConfig() {
        var result = new $.Deferred();
        var root = ProjectManager.getProjectRoot(),
            configFile = FileSystem.getFileForPath(root.fullPath + "config.js");
        FileUtils.readAsText(configFile).done(function (text) {
            try {
                var config = JSON.parse(text);
                if (config.hasOwnProperty('brackets-xunit') && config['brackets-xunit'] === 'disable') {
                    result.reject('disabled');
                }
            } catch (e) {
                console.log("[brackets-xunit] reading " + root.fullPath + "config.js Error " + e);
            } finally {
                return result.resolve('ok');
            }
        }).fail(function () {
            return result.resolve('ok');
        });
        return result.promise();
    }
    /*
     * cleanMenu - removes all brackets-xunit menu items from a menu
     * parameters: menu - the WorkingSetMenu or the ProjectMenu
     */
    function cleanMenu(menu) {
        var i;
        for (i = 0; i < commands.length; i++) {
            menu.removeMenuItem(commands[i]);
        }
    }
    // setup, connects to the node server loads node/JasmineDomain and node/ProcessDomain
    AppInit.appReady(function () {
        $(DocumentManager)
        .on("documentSaved.xunit", function (e, d) {
            runTestsOnSaveOrChange(d);
        });
        $(DocumentManager)
        .on("currentDocumentChange", function () {
            runTestsOnSaveOrChange(DocumentManager.getCurrentDocument());
        });
        MyStatusBar.initializePanel();
    });
    // Register commands as right click menu items
    commands = [ YUITEST_CMD, JASMINETEST_CMD, QUNITTEST_CMD, SCRIPT_CMD, NODETEST_CMD, GENERATE_JASMINE_CMD,
                GENERATE_QUNIT_CMD, GENERATE_YUI_CMD, VIEWHTML_CMD];
    CommandManager.register("Run YUI Unit Test", YUITEST_CMD, runYUI);
    CommandManager.register("Run Jasmine xUnit Test", JASMINETEST_CMD, runJasmine);
    CommandManager.register("Run QUnit xUnit Test", QUNITTEST_CMD, runQUnit);
    CommandManager.register("Run Script", SCRIPT_CMD, runScript);
    CommandManager.register("Run Jasmine-Node xUnit Test", NODETEST_CMD, runJasmineNode);
    CommandManager.register("Generate Jasmine xUnit Test", GENERATE_JASMINE_CMD, generateJasmineTest);
    CommandManager.register("Generate Qunit xUnit Test", GENERATE_QUNIT_CMD, generateQunitTest);
    CommandManager.register("Generate YUI xUnit Test", GENERATE_YUI_CMD, generateYuiTest);
    CommandManager.register("xUnit View html", VIEWHTML_CMD, viewHtml);
    // check if the extension should add a menu item to the project menu (under the project name, left panel)
    $(projectMenu).on("beforeContextMenuOpen", function () {
        var selectedEntry = ProjectManager.getSelectedItem(),
            text = '';
        if (selectedEntry && selectedEntry.fullPath && DocumentManager.getCurrentDocument() !== null && selectedEntry.fullPath === DocumentManager.getCurrentDocument().file.fullPath) {
            text = DocumentManager.getCurrentDocument().getText();
        }
        cleanMenu(projectMenu);
        readConfig().done(function () {
            checkFileTypes(projectMenu, selectedEntry, text);
        });
    });
    // check if the extension should add a menu item to the workingset menu (under Working Files, left panel)
    $(workingsetMenu).on("beforeContextMenuOpen", function () {
        var selectedEntry = DocumentManager.getCurrentDocument().file,
            text = DocumentManager.getCurrentDocument().getText();
        cleanMenu(workingsetMenu);
        readConfig().done(function () {
            checkFileTypes(workingsetMenu, selectedEntry, text);
        });
    });
    exports.formatTime = formatTime;
    exports.checkFileTypes = checkFileTypes;
    exports.determineFileType = determineFileType;
});- 
define()is unnecessary
- Replace brackets.getModulewithrequire("core/*")
- Deprecation warning for FileUtils.readAsText().done()and.fail(). These should be.thenand.catch.
- 
AppInit.appReadyshould be replaced withEventBus.on("AppInit.appReady")
- 
$(DocumentManager).onshould be replaced withEventBus.on("DocumentManager.")See DropletJS.PubSub's message syntax for a way to think about event bus channels.
- 
$(contextMenu).on("beforeContextMenuOpen")should be replaced withEventBus.on("Menus.contextMenu.beforeOpen")
// Adapted from brackets-git-info's main.js
/*global brackets,$, window, Mustache */
'use strict';
var EventBus            = require("core/EventBus"),
    CommandManager      = require("core/command/CommandManager"),
    Dialogs             = require("core/widgets/Dialogs"),
    ExtensionUtils      = require("core/utils/ExtensionUtils"),
    FileUtils           = require("core/file/FileUtils"),
    Menus               = require("core/command/Menus"),
    FileSystem          = require("core/filesystem/FileSystem"),
    LanguageManager     = require("core/language/LanguageManager"),
    NodeConnection      = require("core/utils/NodeConnection"),
    DocumentManager     = require("core/document/DocumentManager"),
    ProjectManager      = require("core/project/ProjectManager"),
    qunitRunner         = require("main_qunit"),
    jasmineRunner       = require("main_jasmine"),
    jasmineNodeRunner   = require("main_jasmine_node"),
    nodeRunner          = require("main_node"),
    yuiRunner           = require("main_yui"),
    MyStatusBar         = require("MyStatusBar");
var moduledir           = FileUtils.getNativeModuleDirectoryPath(module),
    commands            = [],
    YUITEST_CMD         = "yuitest_cmd",
    JASMINETEST_CMD     = "jasminetest_cmd",
    QUNITTEST_CMD       = "qunit_cmd",
    SCRIPT_CMD          = "script_cmd",
    NODETEST_CMD        = "nodetest_cmd",
    GENERATE_JASMINE_CMD = "generate_jasmine_cmd",
    GENERATE_QUNIT_CMD  = "generate_qunit_cmd",
    GENERATE_YUI_CMD    = "generate_yui_cmd",
    VIEWHTML_CMD        = "viewhtml_cmd",
    projectMenu         = Menus.getContextMenu(Menus.ContextMenuIds.PROJECT_MENU),
    workingsetMenu      = Menus.getContextMenu(Menus.ContextMenuIds.WORKING_SET_MENU),
    nodeConnection      = new NodeConnection(),
    _windows            = {},
    enableHtml          = false;
// opens an html file in a new window
function viewHtml() {
    
    // MIGRATION NOTE: Some direct uses of ProjectManager and DocumentManager would not be required because
    // events will convey the information necessary. Unless CommandManager changes to pass in the current document
    // and currently selected file, these uses will still be required.
    var entry = ProjectManager.getSelectedItem();
    if (entry === undefined) {
        entry = DocumentManager.getCurrentDocument().file;
    }
    var path = entry.fullPath;
    var w = window.open(path);
    w.focus();
}
// reads config.js to determine if brackets-xunit should be disabled for the current project
function readConfig() {
    // Extensions can still use jQuery promises if they want, though they'd be encouraged to switch to real promises.
    var result = new $.Deferred();
    var root = ProjectManager.getProjectRoot(),
        configFile = FileSystem.getFileForPath(root.fullPath + "config.js");
    FileUtils.readAsText(configFile).then(function (text) {
        try {
            var config = JSON.parse(text);
            if (config.hasOwnProperty('brackets-xunit') && config['brackets-xunit'] === 'disable') {
                result.reject('disabled');
            }
        } catch (e) {
            console.log("[brackets-xunit] reading " + root.fullPath + "config.js Error " + e);
        } finally {
            return result.resolve('ok');
        }
    }).catch(function () {
        return result.resolve('ok');
    });
    return result.promise();
}
EventBus.on("xunit:AppInit.appReady", function () {
    EventBus.on("xunit:DocumentManager.documentSaved.*", function (e, d) {
        runTestsOnSaveOrChange(d);
    });
    EventBus.on("xunit:DocumentManager.currentDocumentChange.*", function (e, d) {
        runTestsOnSaveOrChange(d);
    });
    MyStatusBar.initializePanel();
});
// Register commands as right click menu items
commands = [ YUITEST_CMD, JASMINETEST_CMD, QUNITTEST_CMD, SCRIPT_CMD, NODETEST_CMD, GENERATE_JASMINE_CMD,
            GENERATE_QUNIT_CMD, GENERATE_YUI_CMD, VIEWHTML_CMD];
CommandManager.register("Run YUI Unit Test", YUITEST_CMD, runYUI);
CommandManager.register("Run Jasmine xUnit Test", JASMINETEST_CMD, runJasmine);
CommandManager.register("Run QUnit xUnit Test", QUNITTEST_CMD, runQUnit);
CommandManager.register("Run Script", SCRIPT_CMD, runScript);
CommandManager.register("Run Jasmine-Node xUnit Test", NODETEST_CMD, runJasmineNode);
CommandManager.register("Generate Jasmine xUnit Test", GENERATE_JASMINE_CMD, generateJasmineTest);
CommandManager.register("Generate Qunit xUnit Test", GENERATE_QUNIT_CMD, generateQunitTest);
CommandManager.register("Generate YUI xUnit Test", GENERATE_YUI_CMD, generateYuiTest);
CommandManager.register("xUnit View html", VIEWHTML_CMD, viewHtml);
// check if the extension should add a menu item to the project menu (under the project name, left panel)
EventBus.on("xunit:Menus.projectMenu.beforeOpen", function (e, projectMenu, selectedEntry) {
    var text = '';
    if (selectedEntry && selectedEntry.fullPath && DocumentManager.getCurrentDocument() !== null && selectedEntry.fullPath === DocumentManager.getCurrentDocument().file.fullPath) {
        text = DocumentManager.getCurrentDocument().getText();
    }
    cleanMenu(projectMenu);
    readConfig().done(function () {
        checkFileTypes(projectMenu, selectedEntry, text);
    });
});
// check if the extension should add a menu item to the workingset menu (under Working Files, left panel)
EventBus.on("xunit:Menus.workingSetMenu.beforeOpen", function (e, workingSetMenu) {
    var selectedEntry = DocumentManager.getCurrentDocument().file,
        text = DocumentManager.getCurrentDocument().getText();
    cleanMenu(workingSetMenu);
    readConfig().done(function () {
        checkFileTypes(workingsetMenu, selectedEntry, text);
    });
});
exports.formatTime = formatTime;
exports.checkFileTypes = checkFileTypes;
exports.determineFileType = determineFileType;- Access to core Brackets that is consistent with the rest of the world
- First step in enabling extensions to share services
- Robust and easier to debug error handling for promises and events
- Event bus provides looser coupling between subsystems which can make testing easier, reduce circular dependencies
- Event bus is also a mechanism through which extensions could communicate some events today
In priority / implementation order:
- Easy shimming/mocking for unit tests
- Extensions authors get code hints for core APIs
- Less verbose per-module boilerplate, matching Node module format more closely
- Sample code here...
- Implementation research notes here...
- Open question: What do we do for worker-thread code? E.g. see tern-worker.js in JS code hints – it looks like an unusual edge case for module loading... (Added to implementation research story).
- Built atop new module loader: APIs pulled in the same way as core APIs. Factored into the dependency-driven load order.
- Extensions are treated as singleton "service" providers rather than NPM-style dependencies
- Extension Manager automatically pulls down dependency extensions & identifies conflicts
- Cross-extension dependencies must be declared in package.json (to allow Extension Manager to properly manage the dependency). If not declared, any require()calls referencing another extension will fail.
- Restrictions: all APIs are async; all APIs can only receive & return JSON values (no complex objects)
- Makes it easier to do our current arrangement, where more business logic is in shell-V8 code but certain APIs are implemented on Node side
- Makes it easier for core and extensions to reuse useful utilities via NPM packages
- A few NPM packages won't really be usable this way, without loading directly into the shell-side -- e.g. a collections libary
- Done incrementally, driven by pain points we see extension authors hitting
- Old APIs would continue to work for a while, with deprecation warnings
- Easier to reuse some of our own headless utility code
- Enables reusing NPM utility modules, if they're headless (no dependencies on Node-only APIs)
- Track API calls so extensions can be made restartless semi-automagically – Wait & see how extension auto-updating feels with simpler mitigations (e.g. auto-restart, batched update notifications).
- Run extensions in a sandbox and/or web worker thread – Wait & see how much extensions affect performance/stability as ecosystem develops. Could potentially be done without changing APIs by mirroring model objects across sandboxes.
- Call Brackets APIs from Node-side code / enable code that uses Brackets APIs to be agnostic as to whether it runs Node-side vs. shell-side – Doesn't seem like a strong need.
- (See inline above)
- The shared-services architecture (item #1 above) feels akin to writing a whole new module loader (we have to deal with load order, cycle breaking, etc.).
- Resolved: We think that's the right thing to do. Service dependencies have much in common with module dependencies, but just enough not in common to make reusing something like Require not viable.
- Update: Using a new module loader is now the centerpiece of the latest proposal.
 
- Do we require extensions to explicitly declare every core service they depend on?  Should we hide services that are undeclared, to prevent subtle bugs from slipping in? (e.g. extension depends on a service that's implemented in, or later migrated to, a core/default extension; without a declaration, we can't guarantee the load order will be right)
- Resolved: You must declare your service dependencies only if you are in an extension, and the service is implemented by a different extension in the same "pool" as you (default vs. non-default). We’ll guarantee that all core modules load first, then all default extensions, then all user extensions (the latter part is not true today). But within a pool, we'll need to use dependencies to determine a "safe" load order. -- This should reduce the burden on extension authors, where very few dependencies will be on other non-default extensions.
- Update: With a new module loader, this would be automatically taken care of, the same way e.g. Require detects dependencies between core modules.
 
- Need a nicer pattern for storing off references to services after load(). It's too hard to remove all refs from non-init code (see below), and it's ugly to passservicesas an arg to every other function in the module.- 
Resolved: In new proposal, we continue to use the existing require()pattern with references both declared & assigned at top of module.
 
- 
Resolved: In new proposal, we continue to use the existing 
- Some Brackets core APIs feel weird to be called "services," e.g. StringUtils. Would we permanently leave some modules behind getModule()?- Resolved: In new proposal, things aren't explicitly labeled as "services."
 
- Do we still want to define general API principles (to be used by core APIs when we port them over later) in Sprint 29's research story? Seems like what the APIs look like depends a lot on our restartless thinking, which we've deferred a bit (e.g. restartless might imply moving to pub-sub for everything).
- Resolved: Deferred to a later story that will specifically cover API cleanup. Restartless is lower on the priority list now, so we shouldn't block API cleanups on that anymore (and ideally we'd try to do restartless without imposing big new constraints on API design anyway).
 
- Do we enforce that the dependency is declared in package.json?
- Resolved: Yes. It's essential for Extension Manager to know about dependencies, so we want to force authors to always declare them. Module loader will not enforce API version constraints, though - only Extension Manager deal with version issues.
 
- Should extension references to core modules be behind a single root namespace, to disambiguate the first "path segment" in case of collisions between core folder names & user extension names?
- Resolved: Not needed -- core modules take precedence. A collision could still occur if core code adds a new folder name conflicting with an existing poorly-named extension that was already providing an API to other extensions, breaking its ability to be referenced as a dependency. But that will be rare, and our docs for cross-extension dependencies can amplify the need to use "."s in extension names.
 
- Should we deprecate require()paths that lack a "./" prefix? This is more consistent with Node and the module loaders we might use for Brackets. We could do it without breaking extensions since the deprecatedbrackets.getModule()API could continue to work the old way.- Resolved: Only extension-to-core module references will need a "./" prefix, but it will indeed be required there.
 
- If we wait too long to implement "Allow a generic Node utility module (installed via NPM) to be loaded shell-side," does it encourage people to use the cross-extension dependency mechanism to share utility code instead? (Which is not really the right model - see discussion of services vs. libraries).
- Resolved: We think most people will just copy utility libs into each extension since that's the path of least resistance. The alternative cross-extension dependency approach is unlikely to be (ab)used often.
 
- I converted four simple extensions over to an approximation of the services architecture: Markdown Preview, Everyscrub, Goto Last Edit, and File Navigation Shortcuts.
- Caveat: none of these used Node-side code
- Caveat: I didn't actually get them running against Kevin's branch; the ported code is only hypothetical
- Caveat: I made up a bunch of API redesigns on the fly. But I think they are all fairly sane.
- (kevin) That's not so much a caveat. That's a great exercise that I was hoping we'd do some of during this research
 
 
- 
Verbosity - Extensions stayed about the same size (on average only +2 lines), but the splitting of service reference declaration & assignment did feel annoying.
- (kevin) I'll note that it actually felt really good to me to remove the define(function...stuff at the top of the modules
 
- (kevin) I'll note that it actually felt really good to me to remove the 
- 
Storing off service references - 3 of 4 extensions required some retained references (even after a bunch of light refactoring). I would want to store off separate refs for individual services, rather than just storing the whole servicesobject, to avoid having to use fully-qualified names on every ref.
- 
Restartless
- Already run into a large set of APIs that would need to be auto-restartless: commands, menu items, bare keybindings, keybinding patching, QuickOpen, EditorManager/DocumentManager listeners, PanelManager listeners, DOM injection (panels, toolbar icons, etc.), stylesheet loading
- 3 of 4 extensions required manual unload code: per-Editor/Document listeners, caches hung off of Editor/Document objects (or could just leave these around), global DOM listeners. Need to play with some more extensions to see if these are the biggest sticking points -- could be mitigated if so:
- Could offer singleton proxies for 'currentEditor', 'currentDocument', etc. to get around many use cases for per-Editor/Document listeners (w/o hitting the tricky per-object listener cleanup issues below).
- Could offer a per-file cache/storage service to avoid hanging per-extension data directly off of core objects (though it's so "JavaScriptey" that some authors may keep doing it anyway?)
 
- Getting restartless right isn't easy -- in 2 of 4 extensions, I erroneously thought I was done making it restartless, then later realized I was wrong after a more careful review.
 
- Peter: Realistically, how many extensions would work without any manual work in the extension?  Would we trust extension authors to correctly identify what cleanup (if any) needs to happen manually?  (Not even sure I trust _myself _- see above). How bad would the experience be when a not-actually restartless extension fails to fully clean itself up?
- We should definitely default to non-restartless unless an extension explicitly declares that it can handle it.
 
- Peter: Demand from users hasn't been that high yet.  Demand will rise with extension update notifications, but we could do some things to mitigate that - for example:
- Automate a full restart instead of quit & manual-relaunch
- (kevin) We talked about this one and it seems like the native menu problem should be tractable allowing for simply "refresh" of Brackets rather than relaunch. I will note that we'd also need to make sure that the Node side is restarted properly.
 
- Throttle / batch extension update notifications
- Hold notifications until next launch (or quit, or idle time - it might be a preference kind of thing, since Kevin pointed out he hates notify-on-launch while Peter prefers it)
- Notify & download updates whenever, but don't force a restart until later (updates take effect whenever restart occurs)
 
- Automate a full restart instead of quit & manual-relaunch
- Need an extremely clear way to document / make predictable which APIs are automatically reversible and which aren't...
- 
Listeners are a very tricky area: hard for extensions to remember to detach all of them, but hard to make them auto-detach too. Auto-detach seems like it would have to mean:
- a) Disallow listeners on non-singletons -- move to a pub-sub like architecture
- b) All event-dispatching objects listen for extension unload to auto-remove listeners. But this implies all event-dispatching objects must be explicitly disposed (can't just be GC'ed). True for Editor and Document already, but this still feels like a nasty requirement...
- c) Event-dispatching objects lazily check for & remove 'dead' listeners each time they trigger an event. Avoids the above limitations, but might be slow.
- (kevin) d) if the objects exposed through the ServiceRegistry are actually wrappers that know which extension is accessing them, they can automatically track listeners.
- (peter) At first I thought this would have the same problem as (b), but I think it could duck that. E.g. all wrapper APIs return wrapper objects, and whenever a wrapper object is generated it's added to an extension-specific wrapper registry. When an extension unloads, we'd traverse its registry and dispose all wrapper objects (letting them unlisten from the core objects they're mirroring), and then throw out the registry itself to let the wrappers get GC'ed.
 
 
(peter: the top sections above now reflect this proposal)
(kevin)
There are a whole bunch of different ways to approach our extension API and a path forward for it. In my prototype, I tried to think about a way to make a whole bunch of things possible:
- Restartlessness
- Sharing of services between extensions
- Code hinting (that even works as you dynamically update extensions)
- Easier access to Node-side code
- Ability to use Node modules (ideally installed via npm) in Brackets client side code (in addition to in Brackets Node-side code)
- A possible route to allowing things to run in a Web Worker or other sandbox
- Better unit testing of core code by handing the core code the other services that it needs (and mock services when testing)
After reviewing my prototype, Peter talked about how making the ServiceRegistry work is similar to writing a module loader. Along the way, I have had similar thoughts. In fact, I am even proposing that we write a module loader so that Brackets can seamlessly load modules from node_modules directories.
Peter did a great job of breaking out the various features so that we can consider their priorities independently. But, at the same time, we need to take a longer term, holistic view to know where we want to end up. Over time, I've become more convinced that restartlessness doesn't have to be an important feature, as long as the user experience for updates in unobtrusive.
On the other hand, I've started thinking that perhaps Web Workers/Sandboxes are more important than we've been thinking. The more extensions that a user has, the more likely that those extensions will start impacting the core performance of the editor. It happened with Sublime Text (which now sandboxes extensions) and it happened with Firefox (which has taken a variety of measures over time to deal with problematic extensions). Of course, sandboxing becomes tricky when we want to also provide UI flexibility for extensions (something that Sublime doesn't have to contend with).
In the end, I built a prototype that, at least in prototype quality, provides all of the features that I listed above. But, looking at the extensions that Peter ported to an imaginary ServiceRegistry-based API made me think that perhaps there's another, better path forward.
Our inability today to share modules between extensions and to conveniently share code between the Node side and the client side actually stems from our use of RequireJS. Part of my proposal has been to make a new module loader. It occurs to me now, depending on exactly what our priorities are, maybe building a new module loader should be the proposal, or at least the very first step.
Our own module loader would be able to load modules in whatever way we deem fit. And, for testing purposes, we can have simple enough control over our module loader to allow us to load in mocks for the services.
A new module loader would also represent a much subtler shift for extension authors. They wouldn't have to make any change, but they could start by simply:
- Removing the define()call at the beginning of their modules
- Changing from brackets.getModule()torequire()
I think we'd still want to provide a higher-level interface to Node code for extensions, but I think that should be straightforward. Here's an example:
- an extension defines a module called "node.js"
- That module makes functions available on its exports
- client side code can require('extensionName/node')
- that module on the client side will automatically proxy to the Node side
That's actually a little more convenient than the API my prototype provides (though my prototype provided seamless communication in both directions).
If these aren't priorities, then we really are in a position to just do step-by-step incremental improvements to our API over time.
If we do decide to go restartless later, we still have some options. In this new scenario, we control the module loader. So, we would have the power to make require('commands/CommandManager') return a proxy object that knows what extension is using it so that added commands are automatically registered to the given extension.
For sandboxing, the hardest part is anything that manipulates the UI. For anything else, we could create a system of proxy objects that allow the extension author to manipulate the document object, etc. and the changes propagate from a worker to the main thread.
This one should be a priority, I think. The prototype has nice code hinting. It gives the user an idea of common extension points.
We can still do that. If we can recognize that a user is working in the context of an extension, we can make require() calls provide hints for modules that are most likely to be of interest to them.
I guess there are two, one for Adam and one for the engineers.
Adam: what is the priority of restartlessness and sandboxing, given that they are likely expensive?
Team: what do you think about taking control of our module loading rather than building a services API?
I think we should still review extensions that are out there and incrementally update the extension APIs to be more convenient. For example, Markdown Preview adds a document change handler during which it turns off its document listener and turns on a new one. This kind of thing can be made more declarative ("listen for changes to documents with these extensions"). These also seem like the kind of events that could be pub/sub channels if we decided to go that route.