Tackling breaking changes using Nx Workspace generators

The Nx ecosystem is excellent because, on the one hand, it allows different teams to work under the same monorepo and build robust enterprise solutions. On the other hand, the basic Nx functionality is relatively easy. That’s why Nx-based solutions turned out more popular last time. Consequently, increasing monorepos include technologies such as React, Angular, NestJS, and even Golang. Moreover, these libraries and frameworks are not alone under the monorepos. They often use a lot of 3-d party libraries and custom modules. One of the most painful topics regarding software development, including Nx, is managing dependency updates. Especially dependencies with breaking changes that need to be resolved in order to get the application back into a working state. This article proposes one possible solution. It is not meant as a final solution and or source of truth. These are only initial thoughts about the topic.

Nx official documentation tells us regarding migrations the following.

"Not only does nx migrate update you to the latest version of Nx, but it also updates the versions of dependencies that we support and test, such as Jest and Cypress. You can also use the migrate command to update any Nx plugin."

The Nx team did a great job because you can update the whole solution as efficiently as possible. That’s why I recommend the following reading. Many packages have supported it. But "many" is not equal to "all." Let’s look at the following case.

There is a demo monorepo. It contains a React Application. Also, it includes a common lib.

Let’s dig into the demo functionality and code specific.

The Client

The client React app is quite simple. Let’s run it.

git clone [email protected]:buchslava/nx-custom-migration-demo.git
npm i
npx nx run client:serve
image1

The behavior of a couple of forms above is similar. They demonstrate the sum of two numbers. Related code is placed here. Let’s look at the code.

import { sumProxy } from '@nx-custom-migration-demo/common-lib';
import { useState } from 'react';
import { deprecatedSum } from 'try-lib';

export function App() {
  const [a, setA] = useState<number>(0);
  const [b, setB] = useState<number>(0);
  const [c, setC] = useState<number>();

  const [d, setD] = useState<number>(0);
  const [e, setE] = useState<number>(0);
  const [f, setF] = useState<number>();

  return (
    <>
      <div>
        <h2>Using internal lib</h2>
        <div>
          <input
            value={a}
            onChange={(e) => {
              setA(+e.target.value);
            }}
          />
          +
          <input
            value={b}
            onChange={(e) => {
              setB(+e.target.value);
            }}
          />
          <button
            onClick={() => {
              setC(sumProxy(a, b));
            }}
          >
            is
          </button>
          <span>{c}</span>
        </div>
      </div>

      <div>
        <h2>Using external lib</h2>
        <div>
          <input
            value={d}
            onChange={(e) => {
              setD(+e.target.value);
            }}
          />
          +
          <input
            value={e}
            onChange={(e) => {
              setE(+e.target.value);
            }}
          />
          <button
            onClick={() => {
              setF(deprecatedSum(d, e));
            }}
          >
            is
          </button>
          <span>{f}</span>
        </div>
      </div>
    </>
  );
}

export default App;

Pay attention to the following points.

<button
  onClick={() => {
    setC(sumProxy(a, b));
  }}
>
  is
</button>

The code above describes the result calculation for the first form. We take sumProxy from the internal library @nx-custom-migration-demo/common-lib.

<button
  onClick={() => {
    setF(deprecatedSum(d, e));
  }}
>
  is
</button>

The code above describes the result calculation for the second form. We take deprecatedSum from the external library try-lib. If we look at package.json we can find the library.

"try-lib": "^1.0.1",

The Internal (Common) Library

The library is placed here.

import { deprecatedSum } from "try-lib";

export function sumProxy(a: number, b: number): number {
  return deprecatedSum(a, b);
}

It looks similar to the calculation for the second form on the client because of deprecatedSum from try-lib.

The external Library

It’s time to look at the external library. You can find the library on github and npm. There is a couple of versions.

Version 1.0.1

This version is based on the following code.

export function deprecatedSum(a: number, b: number): number {
  return a + b;
}

Version 2.0.0

The main feature of this version is that this version contains a breaking change. The breaking change is that deprecatedSum has changed to sum.

export function sum(a: number, b: number): number {
  return a + b;
}

The Issue

Pay attention that now we use [email protected]. A couple of important places look the following.

image2

Let’s change it to version 2.0.0 and run npm i.

image3

It’s easy to predict the result.

image4

We have a broken solution because try-lib has a breaking change.

The Solution

Of course, we can fix the breaking changes manually and forget this story. But this approach is suitable mainly for Ad hoc or for individual developers. We need to count the following factors when discussing teams or enterprise solutions.

Factor 1. Time.

We don’t know when we should apply the changes. Let’s imagine a team has decided to bump the library version. One of the developers provides a new branch, including fixes. But the manager postponed this branch merging, and the team had no idea when the team would continue with this task. What happens there? The team wasted time because the branch was outdated, and in most cases reasonable to forget the branch and repeat breaking changes and fixing again. Another option is Version Control System (VCS) conflict resolution. But this approach is the worst because we risk damaging the solution. Of course, it depends on the number of new modifications and breaking changes.

Factor 2. History.

Of course, the VCS (say, Git) can log the changes. Despite this, information could be lost due to rebasing. Perhaps we must invent a new approach to log the changes more efficiently.

Factor 3. Independence.

As I previously told you, Nx has a powerful migration functionality that allows upgrading Nx with other dependencies it supports. But let’s imagine the situation when we don’t need to upgrade the Nx version. Still, at the same time, we need to upgrade an individual dependency by automatically breaking changes and fixing them exactly as Nx migration does.

Requirements.

Analyzing the above, let’s gather the requirements for the task.

  • We need to upgrade an individual dependency at any time. That’s why the following approach makes sense. A developer or a team doesn’t work with the result code; on the contrary, they prepare an algorithm (functionality) that transforms the solution according to the expected dependency version. It allows the team to apply the changes at any time when needed. On the one hand, it makes the project more expensive. On the other hand, it decreases many risks. We have a predictable flow because we know what happens (the result of applying) and how it happens (the algorithm/functionality). Also, there is one more important thing. If something wrong happens, we can roll back the changes and repeat them easily because we don’t need to provide manual jobs.

  • We need to deal with different versions of the package.

  • The functionality above should be Nx-friendly.

  • The most important thing here is that the functionality above could be shared between Nx society and used as a part of a future Nx plugin. More information here.

Implementation

When I was thinking about the implementation thoughts above, I faced with Using Nx Workspace generators to scaffold new blog posts by Juri Strumpflohner. I recommend this article because I found this helpful approach to resolving my task there. Briefly, my plan is about a new workspace generator creation. The workspace generator should get the related package name and modify the source code afterward.

It’s time to dig into the solution.

First, I created the new workspace generator with the following command:

npx nx g @nx/workspace:workspace-generator code-transformer

This creates a new folder in tools/generators/code-transformer with an index.ts and a schema.json file.

Adjusting the schema.json

This file describes the metadata of our generator. It allows Nx to discover the generator and provides metadata such as the possible argument the generator takes for validation purposes or dynamically rendering a UI like Nx Console does.

In our case, we have only one input parameter for the generator, and we need to pass a related dependency name.

I opened the tools/generators/code-transformer/schema.json and adjusted the schema to match our requirements.

{
  "$schema": "http://json-schema.org/schema",
  "cli": "nx",
  "$id": "code-transformer",
  "type": "object",
  "properties": {
    "package": {
      "type": "string",
      "description": "Package",
      "$default": {
        "$source": "argv",
        "index": 0
      }
    }
  },
  "required": ["package"]
}

Code transformation runner

Next, I opened the tools/generators/code-transformer/index.ts and put my solution there. Please, read the comments in the code. It will help you to understand the solution.

import { Tree } from '@nrwl/devkit';
import * as fs from 'fs';
import * as path from 'path';
import * as semver from 'semver';
import * as util from 'util';
import { Project } from 'ts-morph';
import compile from './compiler';

const readFile = util.promisify(fs.readFile);

export default async function (tree: Tree, schema: any) {
  // Get "package.json"
  const packageJson: any = JSON.parse(
    (await readFile('package.json')).toString()
  );
  // "schema.package" contains the related dependency name
  // if it does not exist in "package.json" then
  // throw an error and stop the generator
  if (!packageJson.dependencies[schema.package]) {
    throw Error(`Dependency "${schema.package}" is not found in package.json`);
  }
  // Get an existing version of the related dependency
  const existingVersion = packageJson.dependencies[schema.package].replace(
    /^[\D]{1}/,
    ''
  );
  // Get `updates.json` config
  const updatesJson: any = JSON.parse(
    (await readFile('tools/updates/updates.json')).toString()
  );
  const activities: string[] = [];
  // Iterate over `updates` array
  for (const record of updatesJson.updates) {
    // if the existing (bumped) version from the package is more than "changes"-based and the package is expected
    // add the related function to activities
    if (schema.package === record.package && semver.gte(existingVersion, record.version)) {
      activities.push(path.resolve(process.cwd(), record.implementation));
    }
  }
  // Compile the related TS files
  compile(activities, {});

  // In this example, we use only "ts-morph" for the source code transformation
  const project = new Project();
  // Pass expected paths of source code
  const sources = [
    'libs/**/*.ts',
    'libs/**/*.tsx',
    'apps/client/**/*.ts',
    'apps/client/**/*.tsx',
  ];

  for (const activity of activities) {
    // Get related transformer-function
    const fn = require(activity).default;
    // Run it
    fn(project, sources);
  }
  // Save the changes
  await project.save();
}

You can read explained source code above here. It’s time to dig into the "Updates" concept. There is the following structure:

image5

File update/update.json represents a configuration regarding all updates.

  • The updates value is an array of records.

  • Each record contains the following data: package (dependency name), description (change), and version. But the most important data here is implementation. It represents a file name containing the transformation’s code.

In our case, the try-lib dependency contains changes for version 2.0.0 or more than this version.

Likewise, as in the previous code, I will explain how transformation works as in the previous code. Please, read the comments.

One important note. The following Typescript transformations idea is based on ts-morph library. Please, read ts-morph documentation.

Let’s look at tools/changes-registry/index.ts (you can find the related source here)

import { Project, SyntaxKind, Node } from 'ts-morph';

// This is a recursive function that changes
// some code fragments ("oldName" to "newName")
// according to its Node Type
function walkAndChange(
  node: Node,
  nodeKinds: SyntaxKind[],
  oldName: string,
  newName: string
) {
  // criteria matching
  if (
    nodeKinds.includes(node.getKind()) &&
    node.getFullText().trim() === oldName
  ) {
    node.replaceWithText(newName);
    return;
  }
  // recursive call
  node.forEachChild((c) => walkAndChange(c, nodeKinds, oldName, newName));
}

// Function-transformer takes Ts-morph project and related paths
export default function (project: Project, sources: string[]) {
  project.addSourceFilesAtPaths(sources);
  const files = project.getSourceFiles();

  // iterate the related source files
  for (const file of files) {
    // change "deprecatedSum" to "sum" in
    // imports (SyntaxKind.ImportSpecifier) and
    // in the rest (SyntaxKind.Identifier) of the code
    walkAndChange(
      file,
      [SyntaxKind.Identifier, SyntaxKind.ImportSpecifier],
      'deprecatedSum',
      'sum'
    );
  }
}

Of course, the example above provides a fundamental transformation, and this logic could be much more difficult in real life.

Use the solution

It’s time to use the solution, and let’s repeat it from the beginning

The bump

Change the version of try-lib from 1.0.1 to 2.0.0 and run npm i.

image6

The breaking changes

image7

Fixing

Run the following command.

npx nx workspace-generator code-transformer -- try-lib --dry-run

Voilà!

image8

Let’s run the app to make sure that it works well.

npx nx run client:serve
image9

The Roadmap

Because this article represents only an idea or a concept, I’d like to focus on points that would be nice to consider in the future.

  • The first helpful thing is to store information about past updates, and we don’t need to repeat transformations that were passed before.

  • We need to deal with other languages, not only Typescript.

  • Finally, we need to have a more flexible set of the generator’s input parameters.

More Articles
WorkflowValor Labs Inc.8 The Green, Suite 300 Dover DE 19901© 2024, Valor Software All Rights ReservedPrivacy Policy