# jscodeshift

# Codemods and Code Refactoring

Codemod (opens new window) was a tool/library developed by FaceBook to assist with large-scale codebase refactors that can be partially automated but still required human oversight and occasional intervention. It is now deprecated and archived.

Definition: Code refactoring

Code refactoring (opens new window) is the process of restructuring existing computer code—changing the factoring—without changing its external behavior.

Example:

Let's say you're deprecating your use of the <font> tag. From the command line, you might make progress by running:

codemod -m -d /home/jrosenstein/www --extensions php,html \
    '<font *color="?(.*?)"?>(.*?)</font>' \
    '<span style="color: \1;">\2</span>'

For each match of the regex, you were shown a colored diff, and asked if you want to accept the change (the replacement of the <font> tag with a <span> tag), reject it, or edit the line in question in your $EDITOR of choice.

Codemod Definition

Codemods are scripts used to rewrite other codes. Think of them as a find and replace functionality that can read and write code. You can use them to

  1. update source code to fit a team’s coding conventions,
  2. make widespread changes when an API is modified, or
  3. auto-fix existing code when your public package makes a breaking change

# Introduction to JSCodeShift

jscodeshift is a toolkit for running codemods over multiple JavaScript or TypeScript files. It provides:

  • A runner, which executes the provided transform for each file passed to it. It also outputs a summary of how many files have (not) been transformed.
  • A wrapper around recast (opens new window), providing a different API. Recast is an AST-to-AST transform tool and also tries to preserve the style of original code as much as possible.

JSCodeshift is a toolkit for running codemods over multiple JavaScript or TypeScript files. The interface that jscodeshift provides is a wrapper around recast and ast-types (opens new window) packages.

jscodeshift and recast relation image

The jscodeshift toolkit allows you to pump a bunch of source files through a transform and replace them with what comes out the other end.

Inside the transform, you

  1. parse the source into an abstract syntax tree (AST),
  2. poke around to make your changes,
  3. then regenerate the source from the altered AST.

The interface that jscodeshift provides is a wrapper around recast (opens new window) and ast-types (opens new window) packages. recast (opens new window) handles the conversion from source to AST and back while ast-types (opens new window) handles the low-level interaction with the AST nodes.

jscodeshift -t some-transform.js input-file.js -d -p
1

This will run input-file.js through the transform some-transform.js and print the results without altering the file.

We can install it globally:

$ npm install -g jscodeshift
1

For example, the following transformation in file hello-jscodeshift.js (opens new window):

module.exports = function(fileInfo, api, options) {
    return api.jscodeshift(fileInfo.source)
      .findVariableDeclarators('foo')
      .renameTo('bar')
      .toSource();
  }
1
2
3
4
5
6

Changes all the apearances of variable foo to bar. See the following execution:

➜  hello-jscodeshift git:(master) ✗ cat foo.js 
var foo = 4;%                                                                                                                   
➜  hello-jscodeshift git:(master) ✗ jscodeshift -t hello-jscodeshift.js foo.js 
Processing 1 files... 
Spawning 1 workers...
Sending 1 files to free worker...
All done. 
Results: 
0 errors
0 unmodified
0 skipped
1 ok
Time elapsed: 0.947seconds 
➜  hello-jscodeshift git:(master) ✗ cat foo.js 
var bar = 4;
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15

# Install

Get jscodeshift from npm (opens new window):

$ npm install -g jscodeshift
1

This will install the runner as jscodeshift.

# Usage from the Command Line

The CLI provides the following options:

$ jscodeshift --help

Usage: jscodeshift [OPTION]... PATH...
  or:  jscodeshift [OPTION]... -t TRANSFORM_PATH PATH...
  or:  jscodeshift [OPTION]... -t URL PATH...
  or:  jscodeshift [OPTION]... --stdin < file_list.txt

Apply transform logic in TRANSFORM_PATH (recursively) to every PATH.
If --stdin is set, each line of the standard input is used as a path.

Options:
"..." behind an option means that it can be supplied multiple times.
All options are also passed to the transformer, which means you can supply custom options that are not listed here.

      --(no-)babel              apply babeljs to the transform file
                                (default: true)
  -c, --cpus=N                  start at most N child processes to process source files
                                (default: max(all - 1, 1))
  -d, --(no-)dry                dry run (no changes are made to files)
                                (default: false)
      --extensions=EXT          transform files with these file extensions (comma separated list)
                                (default: js)
  -h, --help                    print this help and exit
      --ignore-config=FILE ...  ignore files if they match patterns sourced from a configuration file (e.g. a .gitignore)
      --ignore-pattern=GLOB ...  ignore files that match a provided glob expression
      --parser=babel|babylon|flow|ts|tsx  the parser to use for parsing the source files
                                          (default: babel)
      --parser-config=FILE      path to a JSON file containing a custom parser configuration for flow or babylon
  -p, --(no-)print              print transformed files to stdout, useful for development
                                (default: false)
      --(no-)run-in-band        run serially in the current process
                                (default: false)
  -s, --(no-)silent             do not write to stdout or stderr
                                (default: false)
      --(no-)stdin              read file/directory list from stdin
                                (default: false)
  -t, --transform=FILE          path to the transform file. Can be either a local path or url
                                (default: ./transform.js)
  -v, --verbose=0|1|2           show more information about the transform process
                                (default: 0)
      --version                 print version and exit
      --fail-on-error           return a 1 exit code when errors were found during execution of codemods
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42

The next section explains the structure of the transform module.

# Usage from JS Source

Here is an example:

➜  hello-jscodeshift git:(master) ✗ cat use-jscodeshift.js 
const path = require('path');
const { run: jscodeshift } = require("jscodeshift/src/Runner");

const transformPath = path.join(__dirname, "hello-jscodeshift.js");
const paths = ["foo.js", "foo2.js"];
const options = {
  dry: true, // dry run (no changes are made to files)
  print: true, // print transformed files to stdout, useful for development
  verbose: 2, // show more information about the transform process (up to 2)
};

async function run() {
  const res = await jscodeshift(transformPath, paths, options);
  console.log(res);
}

run();
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18

Here is the result of executing it with input files foo.js (opens new window) and foo2.js (opens new window):

➜  hello-jscodeshift git:(master) node use-jscodeshift.js 
Processing 2 files... 
Running in dry mode, no files will be written! 
hello world!
var bar = 4;
console.log(bar*bar /* square foo */);
console.log("more foo");
 OKK foo2.js
hello world!
var bar = 4;
console.log(bar+bar /* twice foo */);
console.log("foo");
 OKK foo.js
All done. 
Results: 
0 errors
0 unmodified
0 skipped
2 ok
Time elapsed: 0.628seconds 
{
  stats: {},
  timeElapsed: '0.628',
  error: 0,
  ok: 2,
  nochange: 0,
  skip: 0
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28

# How to write the transformation module

See section How to write the transformation module

# The jscodeshift API

See section The jscodeshift API

# References

See the section references about AST transformations

Last Updated: 3 months ago