DEV Community

Pascal Schilp
Pascal Schilp

Posted on • Updated on

A practical guide against barrel files for library authors

Over the past couple of months I've been working on a lot on tooling against barrel files. A barrel file is essentially just a big index.js file that re-exports everything else from the package. Which means that if you import only one thing from that barrel file, you end up loading everything in its module graph. This has lots of downsides, from slowing down runtime performance to slowing down bundler performance. You can find a good introduction on the topic here or a deep dive of the effects of barrel files on a popular real world library here.

In this post, I'll give some practical advice for library authors on how to deal with barrel files in your packages.

Use automated tooling

First of all, automated tooling can help a lot here. For example, if you want to check if your project has been setup in a barrel-file-free way, you can use barrel-begone:

npx barrel-begone
Enter fullscreen mode Exit fullscreen mode

barrel-begone will analyze your packages entrypoints, and analyze your code and warn for various different things:

  • The total amount of modules loaded by importing the entrypoint
  • Whether a file is a barrel or not
  • Whether export * is used, which leads to poor or no treeshaking
  • Whether import * is used, which leads to poor or no treeshaking
  • Whether an entrypoint leads to a barrel file somewhere down in your module graph

Lint against barrel files

Additionally, you can use linters against barrel files, like for example eslint-plugin-barrel-files if you're using ESLint. If you're using tools like Oxlint or Biome, these rules are already built-in. This eslint plugin warns you against authoring barrel files, but also warns against importing from other barrel files, and helps you avoid using barrel files all around.

Avoid authoring barrel files

For example, if you author the following file, the eslint plugin will give a warning:

// The eslint rule will detect this file as being a barrel file, and warn against it
// It will also provide additional warnings, for example again using namespace re-exports:
export * from './foo.js'; // Error: Avoid namespace re-exports
export { foo, bar, baz } from './bar.js';
export * from './baz.js'; // Error: Avoid namespace re-exports
Enter fullscreen mode Exit fullscreen mode

Avoid importing from barrel files

It will also warn you if you, as a library author, are importing something from a barrel file. For example, maybe your library makes use of an external library:

import { thing } from 'external-dep-thats-a-barrel-file';
Enter fullscreen mode Exit fullscreen mode

This will give the following warning:

The imported module is a barrel file, which leads to importing a module graph of <number> modules
Enter fullscreen mode Exit fullscreen mode

If you run into this, you can instead try to find a more specific entrypoint to import thing from. If the project has a package exports map, you can consult that to see if there's a more specific import for the thing you're trying to import. Here's an example:

{
  "name": "external-dep-thats-a-barrel-file",
  "exports": {
    ".": "./barrel-file.js", // 🚨
    "./thing.js": "./lib/thing.js" // 
  }
}
Enter fullscreen mode Exit fullscreen mode

In this case, we can optimize our module graph size by a lot by just importing form "external-dep-thats-a-barrel-file/thing.js" instead!

If a project does not have a package exports map, that essentially means anything is fair game, and you can try to find the more specific import on the filesystem instead.

Don't expose a barrel file as the entrypoint of your package

Avoid exposing a barrel file as the entrypoint of your package. Imagine we have a project with some utilities, called "my-utils-lib". You might have authored an index.js file that looks like this:

export * from './math.js';
export { debounce, throttle } from './timing.js';
export * from './analytics.js';
Enter fullscreen mode Exit fullscreen mode

Now if I, as a consumer of your package, only import:

import { debounce } from 'my-utils-lib';
Enter fullscreen mode Exit fullscreen mode

I'm still importing everything from the index.js file, and everything that comes with it down the line; maybe analytics.js makes use of a hefty analytics library that itself imports a bunch of modules. And all I wanted to do was use a debounce! Very wasteful.

On treeshaking

"But Pascal, wont everything else just get treeshaken by my bundler??"

First of all, you've incorrectly assumed that everybody uses a bundler for every step of their development or testing workflow. It could also be the case that your consumer if using your library from a CDN, where treeshaking doesn't apply. Additionally, some patterns treeshake poorly, or may not get treeshaken as you might expect them too; because of sideeffects. There may be things in your code that are seen as sideeffectul by bundlers, which will cause things to not get treeshaken. Like for example, did you know that:

Math.random().toString().slice(1);
Enter fullscreen mode Exit fullscreen mode

Is seen as sideeffectful and might mess with your treeshaking?

Create granular entrypoints for your library

Instead, provide granular entrypoints for your library, with a sensible grouping of functionality. Given our "my-utils-lib" library:

export * from './math.js';
export { debounce, throttle } from './timing.js';
export * from './analytics.js';
Enter fullscreen mode Exit fullscreen mode

We can see that there are separate kinds of functionality exposed: some math-related helpers, some timing-related helpers, and analytics. In this case, we might create the following entrypoints:

  • my-utils-lib/math.js
  • my-utils-lib/timing.js
  • my-utils-lib/analytics.js

Now, I, as a consumer of "my-utils-lib", will have to update my import from:

import { debounce } from 'my-utils-lib';
Enter fullscreen mode Exit fullscreen mode

to:

import { debounce } from 'my-utils-lib/timing.js';
Enter fullscreen mode Exit fullscreen mode

Small effort, fully automatable via codemods, and big improvement all around!

How do I add granular entrypoints?

If you're using package exports for your project, and your main entrypoint is a barrel file, it probably looks something like this:

{
  "name": "my-utils-lib",
  "exports": {
    ".": "./index.js" // 🚨
  }
}
Enter fullscreen mode Exit fullscreen mode

Instead, create entrypoints that look like:

{
  "name": "my-utils-lib",
  "exports": {
    "./math.js": "./lib/math.js", // 
    "./timing.js": "./lib/timing.js", // 
    "./analytics.js": "./lib/analytics.js" // 
  }
}
Enter fullscreen mode Exit fullscreen mode

Alternative: Subpath exports

Alternatively, you can add subpath exports for your package, something like:

{
  "name": "my-utils-lib",
  "exports": {
    "./lib/*": "./lib/*"
  }
}
Enter fullscreen mode Exit fullscreen mode

This will make anything under ./lib/* importable for consumers of your package.

A real-life example

Lets again take a look at the msw library as a case study. msw exposes a barrel file as the main entrypoint, and it looks something like this:

Note: I've omitted the type exports for brevity

export { SetupApi } from './SetupApi'

/* Request handlers */
export { RequestHandler } from './handlers/RequestHandler'
export { http } from './http'
export { HttpHandler, HttpMethods } from './handlers/HttpHandler'
export { graphql } from './graphql'
export { GraphQLHandler } from './handlers/GraphQLHandler'

/* Utils */
export { matchRequestUrl } from './utils/matching/matchRequestUrl'
export * from './utils/handleRequest'
export { getResponse } from './getResponse'
export { cleanUrl } from './utils/url/cleanUrl'

export * from './HttpResponse'
export * from './delay'
export { bypass } from './bypass'
export { passthrough } from './passthrough'
Enter fullscreen mode Exit fullscreen mode

If I'm a consumer of msw, I might use msw to mock api calls with the http function, or graphql function, or both. Let's imagine my project doesn't use GraphQL, so I'm only using the http function:

import { http } from 'msw';
Enter fullscreen mode Exit fullscreen mode

Just importing this http function, will import the entire barrel file, including all of the graphql project as well, which adds a hefty 123 modules to our module graph!

Note: msw has since my last blogpost on the case study also added granular entrypoints for msw/core/http and msw/core/graphql, but they still expose a barrel file as main entrypoint, which most of its users actually use.

Instead of shipping this barrel file, we could group certain kinds of functionalities, like for example:

http.js:

export { HttpHandler, http };
Enter fullscreen mode Exit fullscreen mode

graphql.js:

export { GraphQLHandler, graphql };
Enter fullscreen mode Exit fullscreen mode

builtins.js:

export { bypass, passthrough };
Enter fullscreen mode Exit fullscreen mode

utils.js:

export { cleanUrl, getResponse, matchRequestUrl };
Enter fullscreen mode Exit fullscreen mode

That leaves us with a ratatouille of the following exports, that frankly I'm not sure what to name, so I'll just name those todo.js for now (I also think these are actually just types, but they weren't imported via a type import):

export { HttpMethods, RequestHandler, SetupApi };
Enter fullscreen mode Exit fullscreen mode

Our package exports could look something like:

{
  "name": "msw",
  "exports": {
    "./http.js": "./http.js",
    "./graphql.js": "./graphql.js",
    "./builtins.js": "./builtins.js",
    "./utils.js": "./utils.js",
    "./TODO.js": "./TODO.js"
  }
}
Enter fullscreen mode Exit fullscreen mode

Now, I, as a consumer of MSW, only have to update my import from:

import { http } from 'msw';
Enter fullscreen mode Exit fullscreen mode

to:

import { http } from 'msw/http.js';
Enter fullscreen mode Exit fullscreen mode

Very small change, and fully automatable via codemods, but results in a big improvement all around, and no longer imports all of the graphql parser when I'm not even using graphql in my project!

Now, ofcourse it could be that users are not only importing the http function, but also other things from 'msw'. In this case the user may have to add an additional import or two, but that seems hardly a problem. Additionally, the evidence seems to suggest that most people will mainly be importing http or graphql anyway.

Conclusion

Hopefully this blogpost provides some helpful examples and guidelines for avoiding barrel files in your project. Here's a list of some helpful links for you to explore to learn more:

Top comments (9)

Collapse
 
kwoodgmr profile image
Info Comment hidden by post author - thread only accessible via permalink
kwood-gmr

Your case study is 404. This leaves a single place that provides backing beyond someone wrote a tool to prohibit barrels. Given that someone wrote a tool for many bad ideas in the world - I will pass on them being of any value at all.

This leaves a single proposition which has some value. Barrels can cause some slowness in the testing pipeline and some minor performance loss in the tree shaking.

You ** completely ignore** the real reason behind barrels. Developer productivity. Developer time is exponentially more expensive than any runtime in tests. And by the way you can fix the testing to use tree shaking and now be down to compile time. To be certain this can affect developers - but it doesn't have a significant effect.

I won't waste my employers resources by following your bad advice.

Collapse
 
skipintro profile image
Skip Intro

Here's a link to the case study,
dev.to/thepassle/a-practical-guide...

Collapse
 
y_nk profile image
Julien Barbay

pretty sure tsc doesn't understand exports field. meaning that either you use a bundler or you can't do that ; or you need root level files matching your export names to transfer the exported value.

Collapse
 
thepassle profile image
Pascal Schilp

tsc understands package exports, with the correct tsconfig

Collapse
 
y_nk profile image
Julien Barbay

when you claim such thing (which i dont doubt about) it is usually customary to show HOW (a link, a snippet, even a lmgtfy)

Thread Thread
 
thepassle profile image
Pascal Schilp

You can just google stuff my dude

typescriptlang.org/docs/handbook/m...

Thread Thread
 
y_nk profile image
Julien Barbay

my dude, this is not a problem of searching the info but rather sourcing stuff right in the damn article directly. my dude.

Thread Thread
 
thepassle profile image
Pascal Schilp

its just common knowledge that ts supports package exports

Collapse
 
Sloan, the sloth mascot
Comment deleted

Some comments may only be visible to logged-in visitors. Sign in to view all comments. Some comments have been hidden by the post's author - find out more