DEV Community

Pascal Schilp
Pascal Schilp

Posted on

Babel, Beyond Assumptions

TL;DR: Babel plugins are fun. Want to look at some code instead? You can find the example plugin repo here.

Many frontend developers will be familiar with Babel, whether you've used it while setting up a project, or tweaking existing configurations, I'm sure most of us have had to deal with Babel at some point in our careers. And I think it's safe to say that for many of us, it probably wasn't a great experience. Babel errors are hard to debug, hard to google, and frankly, usually a bother.

Personally, to me, Babel was also very much a black box. I had a grasp of what it does conceptually, but I've always refrained from going very in depth into it, because I thought: "This probably isn't for me, this stuff is way too advanced, it must just be some kind of voodoo magic".

but

I was wrong! Babel is fun. There, I said it. Babel is an extremely powerful tool. You can use it to:

  • Write 'codemods' to automatically move away from legacy APIs, or move from an old framework to a new framework
  • Support non-standard or up and coming JavaScript features
  • Do build-time optimizations

And many, many more. And surprisingly, writing babel plugins is not that hard. I recently found a good usecase for writing a babel 'codemod' (read: plugin) to move from Web Component Tester to Karma at work, and I figured I'd share some of the knowledge and experience I gathered while working on that. If I can do it, you can too! And in this blog I'll tell you all about it.

We'll go through some basic examples together, and finally create our very own babel plugin together.

Opening The Black Box

What the hell is Babel?

Before we dive in, let's discuss some theory. If we're going to work with Babel, we better understand it. Don't worry, we'll get our hands dirty and write some code soon enough.

Babel is a transpiler. What that means is that you give Babel some code, and it outputs different code. The difference between a compiler and a transpiler, is that a transpiler generally transpiles source-to-source, whereas a compiler compiles source to a lower level language, like assembly, or bytecode. Babel will take some JavaScript, and output different JavaScript. A good example of this is supporting older browsers. Babel can transform modern JavaScript language features (like template literals, for example) to be compatible with old browsers that don't support the latest and greatest JavaScript features.

babel

So how does Babel do all this magic? By the magical power of πŸ’«βœ¨Abstract Syntax Trees! βœ¨πŸ’« This is where things may start to feel daunting, but stay with me here. An Abstract Syntax Tree (or, AST) is kind of like a meta-description of your code. Consider the following example (taken from the babel-handbook):

function square(n) {
  return n * n;
}
Enter fullscreen mode Exit fullscreen mode

Here's a pretty regular looking JavaScript function. Let's do an exercise in taking a different perspective on this piece of code. How would you describe this code? Chances are, you'll think of this code as something like: "Its a function that takes a parameter, and returns the parameter squared". For humans, this would be a decent enough explanation. Now try to, word-by-word, describe the function instead.

You might describe something like:

  • There is a function
  • the function is named square
  • it takes a parameter, named n
  • the function returns something
  • and the return value is n times (*) n

Now let's take it even one step further, and try to answer these following questions:

There is a function

What kind of function is it? An arrow function? A function declaration?

the function is named square

Would you say this is an identifier?

it takes a parameter, named n

Does it take only one parameter? And would you say the identifier is n?

the function returns something

So does that mean the function has a body?

and the return value is n times (*) n

So there is some type of expression with a value on the left, a value on the right, and some specific kind of operator?

If you were able to answer these questions, congrats! You just became Babel. Excellent. Now let's see how an AST would actually describe this function:

{
  type: "FunctionDeclaration",
  id: {
    type: "Identifier",
    name: "square"
  },
  params: [{
    type: "Identifier",
    name: "n"
  }],
  body: {
    type: "BlockStatement",
    body: [{
      type: "ReturnStatement",
      argument: {
        type: "BinaryExpression",
        operator: "*",
        left: {
          type: "Identifier",
          name: "n"
        },
        right: {
          type: "Identifier",
          name: "n"
        }
      }
    }]
  }
}
Enter fullscreen mode Exit fullscreen mode

Looks fairly similar to the description we arrived at, huh? Babel will give an extremely detailed description of every aspect of your code, and convert it to an object. We can see the FunctionDeclaration, the function Identifier, the parameter, the body of the function (BlockStatement), and the ReturnStatement, to name a few. These are also described as 'Nodes' of the AST. As you can see, there are many different types of Nodes.

We won't go too deep into how Babel arrives at this AST (Parse, Transform, Generate), but if you're interested, please check out the babel handbook, which is an incredible resource.

Also note that ASTs are not exclusive to Babel. Many things are powered by ASTs under the hood, like syntax highlighting in your IDE, ESLint, TypeScript, Rollup, and many, many more.

The Visitor Pattern

Alright, so Babel will create a big ol' detailed object out of the code that you give it, but how exactly do we mutate it? The answer is, err, well. You just kinda mutate it. This is where babel plugins come into play, lets take a look!

Babel plugins make use of the visitor pattern. I'll show you by example:

export default function (babel) {
  return {
    name: "my-cool-babel-plugin",
    visitor: {
      Identifier(path) {
        path.node.name = path.node.name.split('').reverse().join('');
      }
    }
  };
}

Enter fullscreen mode Exit fullscreen mode

Example taken from the babel handbook

What we have here is world's smallest babel plugin. A babel plugin is just a function that returns an object. The visitor property on the object is whats interesting for us. While traversing the AST, every time babel encounters a Node, it will run the corresponding function on your visitor against it, and (in this case) reverse the Identifier's name.

So if we take the following code, where greeting is the identifier:

const greeting = "hello";
Enter fullscreen mode Exit fullscreen mode

The plugin will output:

const gniteerg = "hello";
Enter fullscreen mode Exit fullscreen mode

Here's another example, where doThing is the identifier:

function doThing() {}
Enter fullscreen mode Exit fullscreen mode

Output:

function gnihTod() {}
Enter fullscreen mode Exit fullscreen mode

This means we can basically do all sorts of things with the code, lets take a look at another example.

Remove all the things!

Let's say I want to remove a certain type of function from my entire codebase, here's what my visitor would look like. I tell Babel that whenever you encounter a FunctionDeclaration, and if the identifier of that function is "doThing", just remove it entirely:

export default function (babel) {
  return {
    name: "remove-function",
    visitor: {
      FunctionDeclaration(path) {
        if(path.node.id.name === "doThing") {
          path.remove();          
        }
      }
    }
  };
}
Enter fullscreen mode Exit fullscreen mode

Input:

function doThing(){}
function doAnotherThing(){}
Enter fullscreen mode Exit fullscreen mode

Output:

function doAnotherThing(){}
Enter fullscreen mode Exit fullscreen mode

Note that we're only targetting FunctionDeclarations. This babel plugin will not handle:

const doThing = () => {}
Enter fullscreen mode Exit fullscreen mode

If you're writing babel plugins, you have to be really specific, and make sure to double check the assumptions that you make. In my experience: You will make assumptions, and you will be wrong. πŸ˜…

Async all the things!

Lets take a look at one more example. Let's say we want to make every function declaration async for some reason:

export default function (babel) {
  return {
    name: "async-all-the-things",
    visitor: {
      FunctionDeclaration(path) {
        path.node.async = true;
      }
    }
  };
}
Enter fullscreen mode Exit fullscreen mode

This will turn:

function doThing() {}
Enter fullscreen mode Exit fullscreen mode

Into:

async function doThing() {}
Enter fullscreen mode Exit fullscreen mode

Get what I meant with "You just kinda mutate it"?

As you can see, Babel is pretty powerful, and you can do loads of things with it. But how do you start? How do you know which Nodes exactly you want to target and alter? The answer is: astexplorer. If you click on the 'Transform' button in the menu bar and select 'babelv7', you should now see 4 panels in total:

  • top-left: source code
  • top-right: AST
  • bottom-left: babel plugin
  • bottom-right: output

astexplorer

You can spend all the time in the world reading about how Babel works internally (and if thats your thing, all the best to you!), but I found that simply getting your hands dirty with astexplorer will make things just 'click'.

Just start by entering some source code that you want to alter in the top-left panel, click around in the AST to figure out which kind of Nodes you need to target and how to identify them correctly, and then start mutating!

A more elaborate example

Alright, small basic examples are nice to get a feeling of how things work, but lets take a look at a more elaborate example. For this example we'll be making a sass-transformer for LitElement. If you're not familiar with LitElement, don't worry, here's what a minimal LitElement looks like:

class MyElement extends LitElement {
  static get styles {
    return css`
      :host {
        background-color: red;
      }
    `;
  }
  render() {
    return html`<h1>Hello world!</h1>`;
  }
}
Enter fullscreen mode Exit fullscreen mode

As you can see, styles are written in a css tagged template literal. So in order to run Sass on our styles, we'll have to extract the styles from that css tagged template literal somehow, run Sass on it, and replace the original with the sassified styles.

✨Hey! Listen!

At the risk of overloading you, dear reader, with too much information, we'll take a small sidestep to explain how tagged template literals work, in case you're not familiar with them.

Here's a very simple example. The tag in a tagged template literal is really just a function, that gets an array of strings, and an array of expressions.

function css(strings, ...values) {
 console.log('Strings:', strings);
 console.log('Values:', values);
}

css`hello ${true} world`
// Strings: ["hello ", " world"]
// Values: [true]

You'll see why this knowledge is important in just a second. Alright, still with me? Great, let's write some code! Here's how we'll do it:

⚠️ Note: this is a very naive implementation to show you how you could create a more 'involved' babel plugin. This example plugin does not account for any expressions in the css tagged template literal, but it should give you a good idea of how to implement different libraries in your babel plugin.

To keep things simple, I made an example repo here, so you can follow along with the code and try other things out at home.

First of all, we'll need to install node-sass, so we can call Sass from a Nodejs context:

npm i -S node-sass
Enter fullscreen mode Exit fullscreen mode

We can then import it in our babel-plugin-demo.js, which contains our babel plugin.

const sass = require('node-sass');
Enter fullscreen mode Exit fullscreen mode

Next, we'll set up some scaffolding for our actual babel plugin function:

const sass = require('node-sass');

function babelPluginDemo({ types: t }) {
  return {
    visitor: {}
  };
}

module.exports = babelPluginDemo;
Enter fullscreen mode Exit fullscreen mode

Great! We now have a babel plugin that does exactly nothing. So let's write an implementation. I already know that the styles that I need to extract are written in a css tagged template literal, so I can target any TaggedTemplateExpression in my visitor like so:

function babelPluginDemo({ types: t }) {
  return {
    visitor: {
      TaggedTemplateExpression(path) {
        if (path.node.tag.name === "css") {

        }
      }
    }
  };
}

module.exports = babelPluginDemo;
Enter fullscreen mode Exit fullscreen mode

I also do a check to see if the name of this tagged template literal is css, since we only want to run Sass on the styles, and not on the html tagged template literal.

Next up, we'll want to extract the contents (the styles) that are inside the template literal. As you now know (or perhaps already knew), tagged template literals are just functions that get an array of Strings, so if we take a look at the AST for the following code:

css`
  h1 {
    color: red;
  }
`
Enter fullscreen mode Exit fullscreen mode

We can see that the strings (or 'quasis', in fancy AST-language), and the expressions each indeed get their own array:

{
  "type": "ExpressionStatement",
  "expression": {
    "type": "TaggedTemplateExpression",
    "tag": {
      "type": "Identifier",
      "name": "css"
    },
    "quasi": {
      "type": "TemplateLiteral",
      "expressions": [],
      "quasis": [
        {
          "type": "TemplateElement",
          "value": {
            "raw": "\n  h1 {\n    color: red;\n  }\n",
            "cooked": "\n  h1 {\n    color: red;\n  }\n"
          },
          "tail": true
        }
      ]
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

To keep things minimal, we'll ignore the expressions for now, and simply flatten the array of quasis to one string.

If you'd like to take things a little bit further, and see how you could solve handling expressions, see the babel-plugin-demo-with-expression-handling.js example in the demo repo.

function babelPluginDemo({ types: t }) {
  return {
    visitor: {
      TaggedTemplateExpression(path) {
        if (path.node.tag.name === "css") {
          // `quasis` is an array of objects, so we naively join them together
          const styleStrings = path.node.quasi.quasis.map(quasi => quasi.value.raw).join('')

          // Now that we have all our styles into a single string, we can run Sass against it, and stringify it again
          const sassifiedStyles = sass.renderSync({
            data: styleStrings
          }).css.toString();

          // And finally, we replace the original value of the node, with the sassified result
          path.node.quasi.quasis = [t.templateElement({
            cooked: sassifiedStyles,
            raw: sassifiedStyles
          }, true)];
        }
      }
    }
  };
}

module.exports = babelPluginDemo;
Enter fullscreen mode Exit fullscreen mode

One important thing to note here, is how I replace the original value of the node. In my case, all I needed to do was simply replace the original array, and assign a new array with a new template string (or templateElement), but there are many other ways you can mutate the node, such as:

  • replaceWith
  • replaceWithMultiple
  • replaceWithSourceString
  • insertBefore
  • insertAfter

Which one of these to use depends largely on what you're trying to achieve. If you're unsure of which one to use, I very much recommend checking out the Manipulation section of the babel-plugin-handbook.

Another great tool to use for this is ast-builder, which is the opposite of ASTExplorer. In ast-builder, you can enter some source code, like:

const foo = true;
Enter fullscreen mode Exit fullscreen mode

And it'll output what that node would look like in babel syntax:

t.variableDeclaration(
  "const",
  [t.variableDeclarator(t.identifier("foo"), t.booleanLiteral(true))]
);
Enter fullscreen mode Exit fullscreen mode

And that's it! Now, if we use the following code as input:

class MyDemo extends LitElement {
  static get styles() {
    return css`
      $base-color: #c6538c;
      $border-dark: rgba($base-color, 0.88);

      .alert {
        border: 1px solid $border-dark;
      }

      nav {
        ul {
          margin: 0;
          padding: 0;
          list-style: none;
        }
      }
    `;
  }
}
Enter fullscreen mode Exit fullscreen mode

We'll get the following output:

class MyDemo extends LitElement {
  static get styles() {
    return css`
      .alert {
        border: 1px solid rgba(198, 83, 140, 0.88);
      }

      nav ul {
        margin: 0;
        padding: 0;
        list-style: none;
      }
    `;
  }
}
Enter fullscreen mode Exit fullscreen mode

And we achieved all of this with 5 lines of implementation code. Pretty powerful, huh?

Takeaways

Before I end this blog, I'd like to leave you with some personal takeaways that I gathered while working on a babel plugin, as well as some resources.

You will make assumptions, and you will be wrong

assumptions

Keep track of any assumptions you make in a document, it can really help you out when you run into a bug, or if something doesn't transpile quite as you'd expect it to. I kept a markdown file in my repo where I logged all the assumptions that I made, and it proved to be really valuable in the process.

Tests, tests, and lots of tests

I generally don't practice TDD, but while writing a babel plugin, I found myself clinging on to my unit tests for dear life, and a great tool to stay confident that my code kept working as intended.

I also wrote a lot of integration tests. I kept a 'before' and 'after' folder with files for the various transformations I did on the code. In my test, I would simply run the babel plugin on the 'before' files, and compare the result of that with the 'after' (the 'expected' result) files. Not only does it give you the confidence things don't break after you make changes, it's also great documentation!

Make sure to check out the demo repo to see the testing setup

Types

Starting out, I wrote everything in good ol' plain JavaScript. At some point I really found myself wanting more confidence/security, so I started using JSDoc types. It really helps keep track of which types of Nodes you're working with, and the autocompletion/suggestions in VS Code are a godsend.

Resources

Finally, I'd like to share some resources that I found to be extremely valuable while working with Babel

Oldest comments (0)