Incremental, cacheable builds for large Javascript monorepos. Uses Bazel
-
Getting started
-
Reference
-
Misc
Jazelle is designed for large organizations where different teams own different projects within a monorepo, and where projects depend on compiled assets from other projects in the monorepo. In terms of developer experience, it's meant to be a low-impact drop-in replacement for common day-to-day web stack commands such as yarn add, yarn build and yarn test.
Jazelle leverages Bazel for incremental/cacheable builds and should be able to integrate with Bazel rules from non-JS stacks. This is helpful if the rest of your organization is also adopting Bazel, especially if others in your organization are already investing into advanced Bazel features such as distributed caching. Jazelle can also be suitable if you develop libraries and want to test for regressions in downstream projects as part of your regular development workflow.
Due to its integration w/ Bazel, Jazelle can be a suitable solution if long CI times are a problem caused by running too many tests.
Jazelle can also be a suitable solution if the frequency of commits affecting a global lockfile impacts developer velocity.
If you just have a library of decoupled components, Jazelle might be overkill. In those cases, you could probably get away with using a simpler solution, such as Yarn workspaces, Lerna or Rush.
- Scaffold a workspace
- Configure Bazel rules
- Edit manifest.json file
- Setup .gitignore
- What to commit to version control
mkdir my-monorepo
cd my-monorepo
jazelle initThe jazelle init command generates Bazel WORKSPACE, BUILD.bazel and .bazelversion files, along with the Jazelle configuration file manifest.json. If you are setting up Jazelle on an existing Bazel workspace, see Bazel rules.
Check that the .bazelversion file at the root of your repo contains your desired Bazel version. For example:
5.1.0
Check that the WORKSPACE file at the root of your repo is using the desired versions of Jazelle, Node and Yarn:
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
http_archive(
name = "jazelle",
url = "https://registry.yarnpkg.com/jazelle/-/jazelle-[version].tgz",
sha256 = "SHA 256 goes here",
strip_prefix = "package",
)
load("@jazelle//:workspace-rules.bzl", "jazelle_dependencies")
jazelle_dependencies(
node_version = "16.15.0",
node_sha256 = {
"darwin-x64": "a6bb12bbf979d32137598e49d56d61bcddf8a8596c3442b44a9b3ace58dd4de8",
"linux-x64": "ebdf4dc9d992d19631f0931cca2fc33c6d0d382543639bc6560d31d5060a8372",
"win-x64": "dbe04e92b264468f2e4911bc901ed5bfbec35e0b27b24f0d29eff4c25e428604",
"darwin-arm64": "ad8d8fc5330ef47788f509c2af398c8060bb59acbe914070d0df684cd2d8d39b",
"linux-arm64": "b4080b86562c5397f32da7a0723b95b1df523cab4c757688a184e3f733a7df56",
},
yarn_version = "1.19.1",
yarn_sha256 = "fdbc534294caef9cc0d7384fb579ec758da7fc033392ce54e0e8268e4db24baf",
)Jazelle SHA256 checksum can be computed through the following command:
curl -fLs https://registry.yarnpkg.com/jazelle/-/jazelle-[version].tgz | openssl sha256Node SHA256 checksums can be found at https://nodejs.org/dist/v[version]/SHASUMS256.txt. Use the checksums for these files:
- darwin-x64:
node-v[version]-darwin-x64.tar.gz - linux-x64:
node-v[version]-linux-x64.tar.xz - win-x64:
node-v[version]-win-x64.zip - darwin-arm64:
node-v[version]-darwin-arm64.tar.gz - linux-arm64:
node-v[version]-linux-arm64.tar.xz
Yarn SHA256 checksum can be computed through the following command:
curl -fLs https://github.com/yarnpkg/yarn/releases/download/v[version]/yarn-[version].js | openssl sha256Double check that the BUILD.bazel at the root of your repo contains this code:
load("@jazelle//:build-rules.bzl", "jazelle")
jazelle(name = "jazelle", manifest = "manifest.json")There should be a package.json at the root of the monorepo, with a workspaces field:
{
"workspaces": [
"path/to/project-1",
"path/to/project-2"
]
}The workspaces field in this file should list every project that you want Jazelle to manage.
Add the following entries to .gitignore
third_party/jazelle/temp
bazel-*
DO commit
package.jsonfilemanifest.jsonfileWORKSPACEfileBUILD.bazelfiles.bazelversionfile.bazelignorefilethird_party/jazelle/BUILD.bazelfilethird_party/jazelle/scriptsfolder- root
yarn.lockfile
DO NOT commit
/third_party/jazelle/tempfoldernode_modulesfoldersbazel-[*]folders
Install the CLI globally:
# install
yarn global add jazelle
# verify it's installed
jazelle versionIf the repo is already scaffolded, you can use the script in it:
third_party/jazelle/scripts/install-run-jazelle.sh version
yarn global upgrade jazelleIf upgrading fails, it's probably because you didn't follow the installation instructions. In that case, try reinstalling:
npm uninstall jazelle --global
yarn global remove jazelle
yarn global add jazelleIt's ok for users to have different versions of Jazelle installed. Jazelle runs all commands via Bazelisk, which enforces that the Bazel version specified in .bazelversion is used. Bazel, in turn, enforces that the Node and Yarn versions specified in WORKSPACE are used.
- Copy and paste your project into the monorepo, at a desired path.
- Open the root
package.jsonfile and add the path to your project inworkspaces. - Ensure your project's package.json has
scriptsfields calledbuild,test,lintandflow. - Optionally, verify that your dependency versions match the dependency versions used by other projects in the monorepo. To verify, run
jazelle check. To upgrade a dependency, runjazelle upgrade [the-dependency]to get the latest orjazelle upgrade [the-dependency]@[version]from your project folder. - Run
jazelle installfrom your project folder to generate Bazel BUILD files, and install dependencies. This may take a few minutes the first time around since Bazel needs to install itself and its dependencies. Subsequent calls tojazelle installwill be faster. - Run
jazelle testto verify that your project builds and tests pass. Optionally runjazelle run lintandjazelle run flow.
If building your project fails, open the BUILD.bazel files and double check that the dist argument in the web_library call points to the folder where you expect compiled assets to be placed. This folder is often called dist or bin. Note that BUILD.bazel files may also be created in dependencies' folders, if they did not already have them. Use version control to identify where newly generated BUILD.bazel files were created and review their dist arguments.
If you get permission errors (EPERM), it's likely because the Bazel sandbox disables write permissions on input files and there are compiled assets in your source code tree that are being picked up by the glob call in the BUILD.bazel file.
Delete the compiled assets that are generated by your NPM build script. You could also use the exclude argument of the glob in your BUILD.bazel file to help team members avoid the pitfall.
web_library(
name = "library",
deps = [
"//third_party/jazelle:node_modules",
],
srcs = glob(["**/*"], exclude = ["dist/**"]),
)This error happens if running an app and Node is unable to find the dependency when requireing it. It can also happen if static analysis tooling depends on build output of dependencies and you use a command that bypasses Bazel.
- Check that the module is actually declared in package.json.
- Check if the module is a peer dependency. If so, ensure it's also a devDependency (or a regular dependency).
- Try
jazelle purge && jazelle installfrom your project folder. - Ensure that your NPM
buildscript does not run other tools (e.g. lint). - If you ran a command that is not documented in
bazel --help(e.g.jazelle lint), try running the Bazel-enabled equivalent (jazelle run lint) instead.
If you get an error saying a script must exist, make sure your project has the relevant NPM script. For example, if you ran jazelle build, make sure your package.json has a scripts.build field. If it doesn't need to have one, simply create one with an empty value. If you do have that field, one of your project's local dependencies may be missing it.
Navigate to a project in the monorepo, then use CLI commands, similar to how you would with yarn
# navigate to your project folder
cd path/to/project-1
# generates Bazel build files for relevant projects, if needed
jazelle install
# start project in dev mode
jazelle run
# run tests
jazelle test
# lint
jazelle run lint
# type check
jazelle run flow
# add dependency
jazelle add react@16.8.2Jazelle provides six build rules: jazelle, web_library, web_binary, web_executable, web_test and flow_test.
jazelleallows you to run Jazelle as a Bazel target (e.g. if you have Bazel installed globally, but not Jazelle)web_librarydefines what source files and dependencies comprise a project. Thejazelle installcommand automatically generates aweb_library()declaration with the correct list of dependencies (by looking into the project'spackage.json)web_binarybuilds a project and runs a projectweb_executableruns a project (without building)web_testruns a test script for a projectflow_testtype checks the project
If you add or remove an entry in your package.json that points to a local project, Jazelle updates the yarn.lock file and adds the dependency to the deps field of the web_library declation in your project's BUILD.bazel file. In Bazel, dependencies are declared using label syntax. A label consists of a // followed by the path to the project, followed by a : followed by the name field of the web_library declaration of the project.
For example, if you have a project in folder path/to/my-project whose web_library has name = "hello", then its label is //path/to/my-project:hello.
# an example BUILD.bazel file for a project with a dependency
web_library(
name = "my-project",
deps = [
# depend on a project that lives under ./my-other-project
"//my-other-project:my-other-project",
],
srcs = glob(["**/*"]),
dist = "dist",
)While Jazelle attempts to always keep the workspace in a good state, it may be possible to get into a corrupt state, for example, if you manually edit system files (such as generated files in the /third_party/jazelle/temp folder).
Another way to get into a bad state is to change the name of a project. Currently, Jazelle does not support re-syncing depenency graphs after project name changes, since this use case is rare and the required checks would slow down CLI commands.
If you get into a bad state, here are some things you can try:
- Run
jazelle purgeand runjazelle installfrom your project folder again - Delete the
/third_party/jazelle/tempfolder and runjazelle install - Undo changes to
[your-project]/BUILD.bazeland runjazelle install - Verify that
manifest.jsonis valid JSON
Shorthandsjazelle --helpjazelle versionjazelle initjazelle scaffoldjazelle installjazelle cijazelle focusjazelle addjazelle removejazelle upgradejazelle purgejazelle checkjazelle outdatedjazelle resolutionsjazelle alignjazelle localizejazelle chunkjazelle changesjazelle planjazelle batchjazelle buildjazelle devjazelle testjazelle lintjazelle flowjazelle typecheckjazelle startjazelle scriptjazelle bazeljazelle nodejazelle yarnjazelle execjazelle eachjazelle bumpjazelle doctorjazelle setup- Running NPM scripts
- Colorized errors
- Commands that take a
--nameargument can omit the word--name. For example,jazelle add foois equivalent tojazelle add --name foo. - Commands that take a
--cwdargument can be run without it from the project folder. For example,jazelle add foo --cwd my-projectis equivalent tocd my-project && jazelle add foo.
Displays help information
Displays installed version. You may see two values: actual is the version of Jazelle being run. system is the version of Jazelle that is globally installed in the machine. Note that they may be different because the actual version is set in a repository's WORKSPACE file.
Scaffolds required workspace files
- Copies a template into another folder
- Generates Bazel BUILD files if they don't already exist for the relevant projects.
- Aligns dependency versions and regenerates lockfiles if needed
- Runs
prescaffoldandpostscaffoldhooks
jazelle scaffold --from from --to to --name name
--from- Folder to copy from. Can be an absolute path or relative toprocess.cwd()--to- Folder to copy to. Can be an absolute path or relative toprocess.cwd()--name- The name field in package.json
- Downloads external dependencies and links local dependencies for all monorepo projects.
- Generates Bazel BUILD files if they don't already exist for the relevant projects.
- Updates yarn.lock files if needed.
jazelle install --cwd [cwd]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()--mode- If set to skip-build, skips build scripts. If set to update-lockfile, skips link step--skipPreinstall- Skip the preinstall hook--skipPostinstall- Skip the postinstall hookverbose- Prints more Yarn warnings
Downloads external dependencies and links local dependencies for all monorepo projects. Does not create or modify source files. Useful for CI checks.
jazelle ci --cwd [cwd]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
- Downloads external dependencies and links local dependencies for individual projects.
- Generates Bazel BUILD files if they don't already exist for the relevant projects.
- Updates yarn.lock files if needed.
It's typically faster to run jazelle focus than to run jazelle install, because focus does not install packages that are not part of the build graph for the specified package(s). Runs yarn workspaces focus under the hood.
You can specify packages that always get installed even when using the jazelle focus command by specifying a focusRequirements field in manifest.json, containing an array of package names. This is useful if you have utility tools that normally run outside of the scope of a focused project. See focus requirements for more information.
jazelle focus [packages...] --cwd [cwd]
[packages...]- A list of packages to install--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()--all- Install all dependencies, like regular yarn install--production- Install only production dependencies, not devDependencies--skipPreinstall- Skip the preinstall hook--skipPostinstall- Skip the postinstall hookverbose- Prints more Yarn warnings
Adds a dependency to the project's package.json, syncing the yarn.lock file, and the matching web_library rule in the relevant BUILD.bazel file if needed
jazelle add [deps...] --dev --cwd [cwd]
[deps...]- Name(s) of dependency and it's version to add. ie.,foo@1.2.3. If version is not specified, defaults tonpm info [name] versionfor 3rd party packages, or the local version for local packages.--dev- Whether to install as a devDependency. Default tofalse--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
Removes a dependency from the project's package.json, syncing the yarn.lock file, and the matching web_library rule in the relevant BUILD.bazel file if needed
jazelle remove [deps...] --cwd [cwd]
[deps...]- Name(s) of dependency to remove--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
Upgrades a dependency across all local projects that use it
jazelle upgrade [args...]
args- Space-separated list of dependency names and optionally their desired version ranges. e.g.,foo@^1.2.3. If version is not specified, defaults tonpm info [name] versionfor 3rd party packages, or the local version for local packages. Note that local packages must be pinned to an exact version.
Removes generated files (i.e. node_modules folders and bazel output files)
jazelle purge --force
--force- Whether to also purge Bazel cache. Defaults to false
Shows a report of out-of-sync top level dependencies across projects
jazelle check --json
--json- Whether to output as JSON. This is useful if you want to pipe the report tojq(e.gjazelle changes --json | jq .jestto see report for onlyjest)
// sample report
{
"valid": false,
"policy": {
"lockstep": false,
"exceptions": [
"my-dependency"
],
},
"reported": {
"my-dependency": {
"1.0.0": [
"my-project-1",
"my-project-2",
]
}
}
}List packages that are outdated and their versions
jazelle outdated --json --dedup --limit [number]
--json- Whether to output as JSON. Useful for piping tojq. Defaults tofalse.--dedup- De-duplicates results by combining used versions into a single result. Defaults tofalse.--limit- Limits the number of external packages to simultaneously resolve with requests to npm. Defaults to100.
List yarn resolutions per package in JSON format
jazelle resolutions
Align a project's dependency versions to respect the version policy, if there is one
jazelle align --cwd [cwd]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
Align dependency versions to local versions, if a local version exists
jazelle localize
Prints a glob pattern representing a chunk of files matching a given list of glob patterns. Useful for splitting tests across multiple CI jobs.
Glob patterns are matched via minimatch
jazelle chunk --projects [projects] --jobs [jobs] --index [index]
--patterns- A pipe separated list of glob patterns. Patterns can be negated by prepending a!(e.g.!tests/fixtures/*)--jobs- Divide the files among this number of chunks--index- Which chunk. For example, ifpatternsfind 10 files, jobs is5and index is1, then the third and fourth files will be returned as a.*/file-3.js|.*/file-4.jspattern.
For example, it's possible to parallelize Jest tests across multiple CI jobs via a script like this:
jest --testPathPattern=$(jazelle chunk --projects "tests/**/*|!tests/fixtures/**/*" --jobs $CI_JOB_COUNT --index $CI_JOB_INDEX)List projects that have changed since the last git commit.
jazelle changes
--files- A file containing a list of changed files, one per line. Defaults to stdin--format- 'targets' or 'dirs'. Defaults to 'targets'. Determine whether to return directory paths or bazel targets
The files file can be generated via git:
git diff-tree --no-commit-id --name-only -r HEAD origin/master > files.txt
jazelle changes files.txtBazel targets can be tested via the bazel test [target] command.
List an efficient grouping of test jobs to run on a server cluster.
For example, if jazelle changes reports 8 projects have changed, and there are 4 cloud nodes, this command will create 4 groupings, each containing the test, lint and flow jobs for 2 projects. If they are distributed over 24 nodes, the command will create 24 groupings, one for each job.
jazelle plan [targets] --nodes [nodes]
[targets]- A file containing a list of targets (typically fromjazelle changes). Defaults to stdin--nodes- The number of nodes (i.e. cloud machines). Defaults to 1
Runs a plan from jazelle plan, parallelizing tests across CPUs
jazelle batch [plan] --index [index]
[plan]- A file containing a plan (typically fromjazelle plan). Defaults to stdin--index- Which group of tests to execute. Defaults to 0--cores- Number of cpus to use. Defaults toos.cpus().length
Builds a project and its dependencies in topological order. Calls scripts.build in package.json. See also direct Bazel usage
jazelle build --cwd [cwd]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
Runs a project in development mode. Calls scripts.dev in package.json
jazelle dev --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of arguments to pass to the dev script
Tests a project. Calls scripts.test in package.json
jazelle test --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of arguments to pass to the test script
Lints a project. Calls scripts.lint in package.json
jazelle lint --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of arguments to pass to the lint script
Type-checks a project using FlowType. Calls scripts.flow in package.json
jazelle flow --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of arguments to pass to the flow script
Type-checks a project. Calls scripts.typecheck in package.json
jazelle typecheck --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of arguments to pass to the typecheck script (e.g.tsc)
Runs a project. Calls scripts.start in package.json
jazelle start --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of arguments to pass to the start script
Runs a npm script. Calls scripts[command] in package.json
jazelle script [command] [args...] --cwd [cwd]
command- A npm script to runargs- A space separated list of arguments to pass to the script--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
Npm scripts can also be called by omitting the script command, for example jazelle [command].
Print the local path of a binary
jazelle bin-path [name]
name- 'bazel', 'node', or 'yarn'
Runs a Bazel command
jazelle bazel --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of Bazel arguments
Runs a Node script
jazelle node --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of arguments
Runs a Yarn command
jazelle yarn --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- A space separated list of Yarn arguments
Runs a bash script
jazelle exec --cwd [cwd] [args...]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()args- List of shell args
Runs a bash script in all projects, parallelizing across CPUs
jazelle each --cores [cores] [...args]
cores- Number of cores to use. Defaults toos.cpus().length - 1args- List of shell args
Bumps a package and its dependencies to the next version. It also updates all matching local packages to match. Note that if a local package depends on the bumped package via workspace:*, it won't be touched.
jazelle bump [type] [--frozePackageJson] --cwd [cwd]
type- Must be one ofmajor,premajor,minor,preminor,patch,prepatch,prereleaseornonefrozenPackageJson- If this flag is present, throws if changes to package.json are required. Useful for warning users to commit version bumps before publishing--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
The bump command is idempotent, i.e. running it twice without publishing results in the same versions.
Suggests fixes for some types of issues
jazelle doctor --cwd [cwd]
--cwd- Project folder (absolute or relative to shellcwd). Defaults toprocess.cwd()
Installs Jazelle hermetically. Useful for priming CI.
jazelle setup
You can run NPM scripts via jazelle yarn. For example, if you have a script called upload-files, you can call it by running jazelle yarn upload-files.
If you want commands to display colorized output, run their respective NPM scripts directly without going through Bazel (e.g. jazelle yarn lint instead of jazelle lint). This will preserve stdout/stderr colors.
const {runCLI, install, add, remove, upgrade, dedupe, check, build, test, run} = require('jazelle')
- runCLI
- version
- init
- scaffold
- install
- ci
- focus
- add
- remove
- upgrade
- purge
- check
- align
- localize
- chunk
- changes
- plan
- batch
- build
- dev
- test
- lint
- flow
- start
- script
- bazel
- node
- yarn
- exec
- each
- bump
- doctor
- getRootDir
Runs a CLI command given a list of arguments
let runCLI: (args: Array<string>) => Promise<void>
args- An array of arguments, e.g.['build', '--cwd', cwd]
The currently installed version. Note: this is a property, not a function.
let version: string
Generates Bazel files required to make Jazelle run in a workspace
let version: ({cwd: string}) => Promise<void>
cwd- Project folder (absolute path)
- Copies a template into another folder
- Generates Bazel BUILD files if they don't already exist for the relevant projects.
- Aligns dependency versions and regenerates lockfiles if needed
- Runs
prescaffoldandpostscaffoldhooks
let scaffold: ({root: string, cwd: string, from: string, to: string, name?: string})
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)from- Folder to copy from. Can be an absolute path or relative toprocess.cwd()to- Folder to copy to. Can be an absolute path or relative toprocess.cwd()name- The name field in package.json
- Downloads external dependencies and links local dependencies for all projects.
- Generates Bazel BUILD files if they don't exist for the relevant projects.
- Updates yarn.lock files if needed.
let install: ({root: string, cwd: string}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)
Downloads external dependencies and links local dependencies for all projects. Does not create or modify source files. Useful for CI checks.
let ci: ({root: string, cwd: string}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)
Downloads external dependencies and links local dependencies for individual projects. Does not create or modify source files. Typically faster than install, but does not install packages that are not part of the requested build graph.
let focus: ({packages: Array<string>, root: string, cwd: string}) => Promise<void>
packages- List of package names to focus. Note that these should not be project paths.root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)
Adds a dependency to the project's package.json, syncing the yarn.lock file, and the matching web_library rule in the relevant BUILD.bazel file if needed
let add: ({root: string, cwd: string, args: string[], version: string, dev: boolean}) => Promise<void>
root- Monorepo root folder (absolute path)args- Array of dependency names to add with their version (e.g.foo@^1.2.3). If version is not specified, defaults tonpm info [name] versionfor 3rd party packages, or the local version for local packages.dev- Whether to install as a devDependencycwd- Project folder (absolute path)
Removes a dependency from the project's package.json, syncing the yarn.lock file, and the matching web_library rule in the relevant BUILD.bazel file if needed
let remove: ({root: string, cwd: string, args: string[]}) => Promise<void>
root- Monorepo root folder (absolute path)args- Array of dependency names to removecwd- Project folder (absolute path)
Upgrades a dependency across all local projects that use it
let upgrade: ({root: string, args: Array<string>}) => Promise<void>
args- Space-separated list of dependency names and optionally their desired version ranges. e.g.,foo@^1.2.3. If version is not specified, defaults tonpm info [name] versionfor 3rd party packages, or the local version for local packages. Note that local packages must be pinned to an exact version.
Removes generated files (i.e. node_modules folders and bazel output files)
let purge: ({root: string, force?: boolean}) => Promise<void>
root- Monorepo root folder (absolute path)force- Whether to also clear bazel cache. Defaults to false
Returns a report of out-of-sync top level dependencies across projects
// sample report
{
"valid": false,
"policy": {
"lockstep": false,
"exceptions": [
"my-dependency"
],
},
"reported": {
"my-dependency": {
"1.0.0": [
"my-project-1",
"my-project-2",
]
}
}
}type ExceptionMetadata = {
name: string,
versions: Array<string>
};
type VersionPolicy = {
lockstep: boolean,
exceptions: Array<string | ExceptionMetadata>,
}
type Report = {
valid: string,
policy: {
lockstep: boolean,
exceptions: Array<string>
},
reported: {[string]: {[string]: Array<string>}},
}
let check: ({root: string, projects: Array<string>, versionPolicy: VersionPolicy}) => Promise<Report>root- Monorepo root folder (absolute path)
List packages that are outdated and their versions
let outdated = ({root: string}) => Promise<void>
List yarn resolutions per package in JSON format
let resolutions = ({root: string}) => Promise<{[string]: {[string]: string}}>
Align a project's dependency versions to respect the version policy, if there is one
let align: ({root: string, cwd: string}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)
Align dependency versions to local versions, if a local version exists
let localize: ({root: string}) => Promise<void>
root- Monorepo root folder (absolute path)
Returns a glob pattern representing a chunk of files matching a given list of glob patterns. Useful for splitting tests across multiple CI jobs.
Glob patterns are matched via minimatch
let chunk: ({root: string, patterns: Array<string>, jobs: number, index: number}) => Promise<string>
root- Monorepo root folder (absolute path)patterns- A list of glob patterns. Patterns can be negated by prepending a!(e.g.!tests/fixtures/*)jobs- Divide the files among this number of chunksindex- Which chunk. For example, ifpatternsfind 10 files, jobs is5and index is1, then the third and fourth files will be returned as a.*/file-3.js|.*/file-4.jspattern.
For example, it's possible to parallelize Jest tests across multiple CI jobs via a script like this:
jest --testPathPattern=$(node -e "console.log(require('jazelle').chunk({projects: ['tests/**/*', '!tests/fixtures/**/*'], jobs: $CI_JOB_COUNT, index: $CI_JOB_INDEX}))")List projects that have changed since the last git commit.
let changed: ({root: string, files: string, type: string}) => Promise<Array<string>>
root- Monorepo root folder (absolute path)files- The path to a file containing a list of changed files, one per lineformat- 'targets' or 'dirs'. Defaults to 'targets'. Determine whether to return directory paths or bazel targets
The files file can be generated via git:
git diff-tree --no-commit-id --name-only -r HEAD origin/master > files.txtBazel targets can be tested via the bazel test [target] command.
List an efficient grouping of test jobs to run on a server cluster.
For example, if changes reports 8 projects have changed, and there are 4 servers, this function will create 4 groupings, each containing the test, lint and flow jobs for 2 projects.
type PayloadMetadata = {type: string, dir: string, action: string}
let plan: ({root: string, data: Array<string>, nodes: number}) => Promise<Array<Array<PayloadMetadata>>>root- Monorepo root folder (absolute path)data- A report of targets (typically from thechangesmethod)nodes- The number of nodes (i.e. cloud machines)
Runs a plan from jazelle plan, parallelizing tests across CPUs
type DirTestMetadata = {dir: string, script: string}
type BazelTestMetadata = {target: string}
type TestMetadata = DirTestMetadata | BazelTestMetadata
type TestGroup = Array<TestMetadata>
let batch: ({root: string, data: Array<TestGroup>, index: number, cores: number}) => Promise<void>root- Monorepo root folder (absolute path)plan- A file containing a plan (typically fromjazelle plan). Defaults to stdinindex- Which group of tests to executecores- Number of cpus to use. Defaults toos.cpus().length
Builds a projects and its dependencies in topological order. Calls scripts.build in package.json
let build: ({root: string, cwd: string}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)
Tests a project. Calls scripts.test in package.json
let test: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- A list of arguments to pass to the test script
Runs a project in development mode. Calls scripts.dev in package.json
let dev: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- A list of arguments to pass to the dev script
Lints a project. Calls scripts.lint in package.json
let lint: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- A list of arguments to pass to the lint script
Type-checks a project. Calls scripts.flow in package.json
let flow: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- A list of arguments to pass to the flow script
Runs a project. Calls scripts.start in package.json
let start: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- A list of arguments to pass to the start script
Runs a npm script. Calls scripts[command] in package.json
let script: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- A list of arguments to pass to the script. The first argument should be a command name
Print the local path of a binary
let binPath: = (name: 'bazel' | 'node' | 'yarn') => string
name- 'bazel', 'node', or 'yarn'
Runs a Bazel command
let bazel: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- List of Bazel args
Runs a Node script
let node: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
cwd- Project folder (absolute path)args- List of args
Runs a Yarn command
let yarn: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
cwd- Project folder (absolute path)args- List of Yarn args
Runs a bash script
let exec: ({root: string, cwd: string, args: Array<string>}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)args- List of shell args
Runs a bash script in all projects, parallelizing across CPUs
let each: ({root: string, args: Array<string>, cores: string}) => Promise<void>
cwd- Project folder (absolute path)args- List of shell argscores- Number of cores to use. Defaults toos.cpus().length - 1
Bumps a package and its dependencies to the next version. It also updates all matching local packages to match
let bump = ({root: string, cwd: string, type: string, frozenPackageJson?: boolean})
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)type- Must be one ofmajor,premajor,minor,preminor,patch,prepatch,prereleaseornonefrozenPackageJson- If true, throws if changes to package.json are required. Useful for warning users to commit version bumps before publishing. Defaults to false.
The bump command is idempotent, i.e. running it twice without publishing results in the same versions.
Suggests fixes for some types of issues
let doctor: ({root: string, cwd: string}) => Promise<void>
root- Monorepo root folder (absolute path)cwd- Project folder (absolute path)
Finds the absolute path of the monorepo root folder
let getRootDir: ({dir: string}) => Promise<string>
dir- Any absolute path inside the monorepo
- Projects
- Workspace
- Scaffold hooks
- Installation hooks
- Boolean hooks
- Version policy
- Focus requirements
- Dependency Sync Rule
- Build file template
Note: The manifest.json file does not allow comments; they are present here for informational purposes only.
{
// Optional workspace mode
"workspace": "sandbox",
// Optional installation hooks
"hooks": {
"prescaffold": "echo before",
"postscaffold": "echo after",
"preinstall": "echo before",
"postinstall": "echo after",
"postcommand": "echo after command",
"bool_shouldinstall": "echo true",
},
// Optional version policy
"versionPolicy": {
"lockstep": true,
"exceptions": [
"foo",
{ "name": "bar", "versions": ["1.0.0", "2.3.7"] },
]
},
// Optional focus requirements
"focusRequirements": ["my-project-a", "my-project-b"],
// Optional rule name to use when auto-updating target `deps` in BUILD.bazel
"dependencySyncRule": "my_repo_target",
}Projects paths must be listed in the workspaces field of the root level package.json file. Paths must be relative to the root of the monorepo.
{
"workspaces": [
"path/to/project-1",
"path/to/project-2",
],
}The workspace field enables Bazel if set to sandbox, or uses a pure JS implementation if set to host. Defaults to host.
The difference between the two modes is that host mode lets you build projects even if you don't specify all of your non-NPM dependencies. An example of a non-NPM dependency is a configuration file outside of the project's folder (e.g. if you are implementing consistent configuration across projects). In sandbox mode, you must add this file to the deps field of the web_library rule in the project's BUILD.bazel file. In host mode, Jazelle will let you build your project without looking at BUILD.bazel files and without nagging about the fact that the configuration file was not explicitly specified as a dependency.
Note that host mode is only meant to be used to help importing projects. In host mode, dependency graph resolution is only guaranteed for dependencies tracked via package.json. Changes in dependencies that tracked exclusively in BUILD files and/or untracked dependencies are not accounted for when determining when a build cache needs to be invalidated, and may result in overly aggressive caching despite changes that affect a project.
Also note that currently, jazelle changes will only report changes that Bazel can detect. This means that if you never used sandbox mode, it will not report any changes.
It's strongly recommended that you use sandbox mode.
Scaffold hooks run shell scripts before/after a project is scaffolded.
{
"hooks": {
"prescaffold": "echo before",
"postscaffold": "echo after"
}
}Installation hooks run shell scripts before/after dependency installation.
{
"hooks": {
"preinstall": "echo before",
"postinstall": "echo after",
"postcommand": "echo after command",
}
}Boolean hooks are a special type of hook that can conditionally enable/disable jazelle behavior. They work by emitting true or false to stdout (must be the last thing emitted in the script).
The bool_shouldinstall hook should echo either true or false. If false, calling jazelle install will bypass yarn install. This is useful if you have custom logic that caches installations or if you are using zero-installs.
{
"hooks": {
"bool_shouldinstall": "echo false",
}
}Example bool_shouldinstall hook:
#!/usr/bin/env bash
if ./pull_yarn_cache.sh; then
# dependency cache was successfully pulled; don't install
echo 'false'
exit 0
fi
echo 'true'The version policy structure specifies which direct dependencies must be kept in the same version in all projects that use them within the monorepo.
The version policy is enforced when running jazelle install, jazelle add, jazelle remove and jazelle upgrade.
If you change the version policy, it's your responsibility to run jazelle check to ensure that projects conform to the new policy, and to run jazelle upgrade to fix version policy violations.
{
"versionPolicy": {
"lockstep": true,
"exceptions": [
"foo"
]
}
}The lockstep field indicates whether ALL dependencies should be kept in the same version.
The exceptions field is a list of package names that should ignore the lockstep policy. For example, if lockstep is true and exceptions includes a package named foo, all dependency versions must be in lockstep, except foo. Conversely, if lockstep is false, and exceptions include a package foo, then all projects that use foo must use the same version of foo, but are free to use any version of any other package.
It's recommended that you set the policy to the following:
{
"versionPolicy": {
"lockstep": true,
}
}You should avoid adding exceptions if using this policy.
Here's an alternative policy that may be more pragmatic for large existing codebases where only some packages are kept up-to-date by a platform team:
{
"versionPolicy": {
"lockstep": false,
"exceptions": [
"foo",
"bar"
]
}
}The exceptions field may also identify specific versions for dependencies. These must match the declared versions in package.json exactly (i.e. 1.4.0 and ^1.4.0 are considered two separate versions).
{
"versionPolicy": {
"lockstep": true,
"exceptions": [
"foo",
{ "name": "bar", "versions": [ "1.4.0", "2.3.7" ] }
]
}
}Jazelle supports partial installation via jazelle focus. It may be desirable to always forcefully install a set of packages if they are frequently used tools that cannot be invoked from individual projects (for example, codemodding tools)
In the example below, it becomes possible to run commands from the my-tool package, even if the user only runs jz focus my-package-a (i.e. they didn't explicitly ask to focus my-tool)
// manifest.json
{
"focusRequirements": ["my-tool"]
}The dependencySyncRule field takes a string containing the name of a bazel rule. By default this is web_library. This is configurable for cases where the web_library rule is generated via a Bazel macro, so that Jazelle is still able to codemod deps fields in BUILD.bazel files that consume these macros instead of consuming web_library directly.
# rules/my-macro.bzl
load(
"@jazelle//:build-rules.bzl",
# underscore prefix to prevent re-exporting
_web_library = "web_library",
_web_binary = "web_binary",
_web_executable = "web_executable",
_web_test = "web_test",
)
def my_macro(srcs = [], deps = []):
_web_library(
name = "library",
deps = deps + ["//:some-centrally-managed-target"],
srcs = srcs,
)
#...
# my-project/BUILD.bazel
load("//rules:my_macro.bzl", "my_macro")
package(default_visibility = ["//visibility:public"])
my_macro(
srcs = glob(["**"]),
deps = [
# jazelle can codemod this field on add/remove commands if `dependencySyncRule` is set to `my_macro`
]
)The third_party/jazelle/build-file-template.js file should be a js file that exports a named export called template.
module.exports.template = async ({name, path, label, dependencies}) => `# a BUILD.bazel template`let template: ({name: string, path: string, label: string, dependencies: Array<string>}) => Promise<string>
name- The shorthand name of the target. For example, if the path to the project ispath/to/foo,nameisfoopath- The project's path, relative to the monorepo rootlabel- The fully qualified Bazel label. For example//path/to/foo:foodependencies- A list of labels for Bazel targets that are dependencies of the current rule
Here's an example of a custom build that changes the dist folder of library compilations and sets up a flow command for type checking:
// @flow
/*::
type TemplateArgs = {
name: string,
path: string,
label: string,
dependencies: Array<string>,
}
type Template = (TemplateArgs) => Promise<string>;
*/
const template /*: Template */ = async ({name, path, dependencies}) => `
package(default_visibility = ["//visibility:public"])
load("@jazelle//:build-rules.bzl", "web_library", "web_binary", "web_executable", "web_test", "flow_test")
web_library(
name = "library",
deps = [
"//third_party/jazelle:node_modules",
${dependencies.map(d => `"${d}",`).join('\n ')}
],
srcs = glob(["**/*"], exclude = ["dist/**"]),
)
web_binary(
name = "${name}",
build = "build",
command = "start",
deps = [
"//${path}:library",
],
dist = ["dist"],
)
web_executable(
name = "dev",
command = "dev",
deps = [
"//${path}:library",
],
)
web_test(
name = "test",
command = "test",
deps = [
"//${path}:library",
],
)
web_test(
name = "lint",
command = "lint",
deps = [
"//${path}:library",
],
)
flow_test(
name = "flow",
deps = [
"//${path}:library",
],
)`;
module.exports = {template};Note that BUILD.bazel files are not regenerated once they have been created. You can edit them after they've been created if you need to name certain targets differently in specific projects, or if you need to add custom Bazel rules or non-JS Bazel dependencies.
Jazelle edits web_library rules when jazelle add and jazelle remove commands are issued, in order to update the deps list. If you use different rules to build web projects, you must keep the BUILD.bazel file in sync with your package.json file yourself.
The easiest to setup Bazel in an empty repository is to run jazelle init. If you are setting up Jazelle on an existing Bazel workspace, you need to manually add Jazelle rules to the root WORKSPACE and BUILD.bazel files.
Before Jazelle rules can be used in Bazel, you must first import them:
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
http_archive(
name = "jazelle",
url = "https://registry.yarnpkg.com/jazelle/-/jazelle-[version].tgz",
sha256 = "SHA 256 goes here",
)Jazelle SHA256 checksum can be computed through the following command:
curl -fLs https://registry.yarnpkg.com/jazelle/-/jazelle-[version].tgz | openssl sha256Rules that should be used from a monorepo's WORKSPACE file.
load("@jazelle//:workspace-rules.bzl", "jazelle_dependencies")Download and install binary dependencies (i.e. Node, Yarn) hermetically.
jazelle_dependencies(
node_version = string,
node_sha256 = {
"mac": string,
"linux": string,
"windows": string,
},
yarn_version = string,
yarn_sha256 = string,
)node_version- The version of Node that should be installednode_sha256- The checksum of the architecture-specific distribution files of the chosen Node versionyarn_version- The version of Yarn that should be installedyarn_sha256- The checksum of the chosen Yarn version
Jazelle SHA256 checksum can be computed through the following command:
curl -fLs https://github.com/lhorie/jazelle/releases/download/v[version]/jazelle-[version].tar.gz | openssl sha256Node SHA256 checksums can be found at https://nodejs.org/dist/v[version]/SHASUMS256.txt. Use the checksums for these files:
node-v[version]-darwin-x64.tar.gznode-v[version]-linux-x64.tar.xznode-v[version]-win-x64.zip
Yarn SHA256 checksum can be computed through the following command:
curl -fLs https://github.com/yarnpkg/yarn/releases/download/v[version]/yarn-[version].js | openssl sha256Rules that should be used from a project's BUILD.bazel file.
load("@jazelle//:build-rules.bzl", "web_library", "web_binary", "web_test")
Run the Jazelle CLI from Bazel. This rule should be added to the root of the monorepo. Note that all arguments must be passed after --
bazel run //:jazelle -- version
jazelle(name = "jazelle", manifest = "manifest.json")name- Should bejazellemanifest- Should bemanifest.json
Describes a set of files as a library
web_library(
deps = [string],
srcs = [string],
)deps- A list of target labels that are dependencies of this rulesrcs- A list of source code files for the project
The deps argument in this rule is dynamically updated by Jazelle when you run jazelle add or jazelle remove. You should always declare project dependencies in this rule, rather than on the rules below.
This rule collects transitive files from the DefaultInfo(files) provider of targets specified by deps and outputs them as transitive files via the DefaultInfo(files) provider.
Builds a project via an npm script and optionally runs it. If this rule is run via bazel build, it generates a output.tgz file representing the project's compiled assets. If this rule is run via bazel run, it additionally extracts the output file and runs the project using the NPM script specified by command. The build step is cacheable, while the run step is not.
web_binary(
build = string,
command = string,
deps = [string],
dist = string,
preserve_symlinks = string,
skip_pnp = boolean,
)build- The npm script to build the project. Defaults tobuildcommand- The npm script to run the project. Defaults tostart. If the command isrun, the rule acts likeyarn run [command]deps- A list of target labels that are dependencies of this ruledist- The name of the output folder where compiled assets are saved topreserve_symlinks- Whether to use the Node PRESERVE_SYMLINKS flag. Set to"1"for true or""for false.skip_pnp- Boolean flag to bypass the auto require of the Yarn 2.pnp.cjsfile when executing Node commands.
This rule consumes transitive files from the DefaultInfo(files) provider of targets specified by deps. If the transitive files include output.tgz files, they are extracted into the root folder of their respective project (in the Bazel sandbox).
Runs a npm script (e.g. yarn start). Meant to be used with bazel run
web_executable(
command = string,
deps = [string],
)command- The npm script to executedeps- A list of target labels that are dependencies of this rulegen_srcs- A list of regexp strings for files or folders that should be copied back to the source folder after sandbox execution. Useful for code generation (e.g. jest snapshots)preserve_symlinks- Whether to use the Node PRESERVE_SYMLINKS flag. Set to"1"for true or""for false.
This rule consumes transitive files from the DefaultInfo(files) provider of targets specified by deps. If the transitive files include output.tgz files, they are extracted into the root folder of their respective project (in the Bazel sandbox).
Runs a npm script as a cacheable test (e.g. yarn test). Meant to be used with bazel test
web_test(
command = string,
deps = [string],
)command- The npm script to executedeps- A list of target labels that are dependencies of this rulegen_srcs- A list of regexp strings for files or folders that should be copied back to the source folder after sandbox execution. Useful for code generation (e.g. jest snapshots)preserve_symlinks- Whether to use the Node PRESERVE_SYMLINKS flag. Set to"1"for true or""for false.
This rule consumes transitive files from the DefaultInfo(files) provider of targets specified by deps. If the transitive files include output.tgz files, they are extracted into the root folder of their respective project (in the Bazel sandbox).
Runs yarn flow
flow_test(
command = string,
deps = [string],
)deps- A list of target labels that are dependencies of this rule
This rule consumes transitive files from the DefaultInfo(files) provider of targets specified by deps. If the transitive files include output.tgz files, they are extracted into the root folder of their respective project (in the Bazel sandbox).
Jazelle commands are similar to yarn commands, but not exactly equivalent. Here's a table showing similar commands and their differences.
| Jazelle | Yarn | Key differences |
|---|---|---|
jazelle install |
yarn install |
The Jazelle command also sets up local dependencies |
jazelle build |
yarn run build |
The Jazelle command also builds (and caches) local dependencies |
jazelle test |
yarn run test |
The Jazelle command caches tests for projects whose code didn't change |
jazelle add x |
yarn add x |
The Jazelle command also manages deps declared in BUILD.bazel files |
jazelle foo |
yarn run foo |
The Jazelle command also manages deps declared in BUILD.bazel files |
You should always use Jazelle commands instead of Yarn commands.
Jazelle allows using Bazel directly for building targets. Here's a table showing equivalent commands:
| Jazelle | Bazel |
|---|---|
cd a && jazelle install |
N/A |
cd a && jazelle add x |
N/A |
cd a && jazelle build |
bazel build //a:a |
cd a && jazelle start |
bazel run //a:a |
cd a && jazelle dev |
bazel run //a:dev |
cd a && jazelle test |
bazel test //a:test |
cd a && jazelle lint |
bazel run //a:lint |
cd a && jazelle flow |
bazel run //a:flow |
cd a && jazelle foo |
bazel run //a:script -- foo |
You can use either Jazelle commands or Bazel commands interchangeably. This is helpful if your team is already invested into a Bazel-centric workflow.
It's recommended that you use Jazelle commands instead of Bazel, because Jazelle uses Bazelisk to enforce a Bazel version. You could also use Bazelisk itself.
Jazelle supports using a preinstalled Bazel binary (for example, you may want to preinstall it in a docker layer for CI)
If Jazelle detects that Bazel is installed via which bazel and the installed version matches the version specified in the .bazelversion file, Jazelle will use the installed version instead of attempting to download it.
If you want to use a Bazel binary that is not in your PATH, you can also specify it via the BAZEL_PATH environment variable:
BAZEL_PATH=/path/to/my/bazel jazelle ...In addition to package.json scripts, Jazelle supports the ability to execute node scripts.
web_binary(
build = "${NODE} ${ROOT_DIR}/foo.js"
# ...
)
${NODE}is a special variable that refers to the node binary, and automatically requires .pnp.cjs${ROOT_DIR}refers to the root of the repo
Note that these are not bash variables (i.e. $ROOT_DIR doesn't work)
If you are a monorepo maintainer and you need to implement static analysis logic that runs against files of every project in a monorepo, it's not feasible to depend on all projects at build time, since the build graph could conceivably require rebuilding every project in the monorepo. Instead, you can depend only on specific files.
The simplest way to do that is to add exports_files() or filegroup() declarations in buildFileTemplate to expose the desired files. This way you can put your logic in a package that depends on files from several projects:
# BUILD.bazel file in analyzable projects
exports_files([
"//my-project:package.json", # expose the file we need for static analysis
])
# BUILD.bazel in static analysis project
js_binary(
name = "check"
command = "check",
deps = [
"//my-project:package.json",
"//my-other-project:package.json",
# ...
]
)You can dynamically update the deps argument of the static analysis project BUILD.bazel file by writing a preinstall script that parses and edits the BUILD.bazel file. The list of monorepo projects is conveniently available in the root level package.json file.
Note that updating buildFileTemplate does not change existing BUILD.bazel files (since they could contain custom rules and modifications). If you want the same changes in existing files, you will have to edit those files yourself.
By default you must declare files that are required by the package manager to work (e.g., //:yarn.lock, //:.pnp.cjs etc.) as explicit deps in any target that needs to consume Javascript packages if you want fully hermetic builds.
However, Jazelle does work even if they are not specified. Jazelle supports the ability of inferring the location of a set number of top-level files located in the monorepo root without those files being present in the Bazel graph. For example, this allows a repo to implement a custom yarn plugin that outputs files describing the version locking requirements per project (as opposed to having all of that information tied to a single top-level file). See yarn-plugin-workspace-deps for an example.
The benefit of inferred top-level files is that in large enough repos, those files are changed frequently by multiple different teams, and it leads to poor cacheability of targets if any team's changes can blow away the cache of unrelated projects.
- add cli test args support to sandbox mode
- add command to import projects (add them to root level package.json)
- add command to detect non-imported projects
- detect WORKSPACE changes in
jazelle changes - watch library -> service
- hermetic install / refresh roots