Extending the Project Graph of Nx
Prior to Nx 16.7, a plugin could use processProjectGraph, projectFilePatterns, and registerProjectTargets to modify the project graph. This interface is still supported, but it is deprecated. We recommend using the new interface described below. For documentation on the v1 plugin api, see here
This API is experimental and might change.
The Project Graph is the representation of the source code in your repo. Projects can have files associated with them. Projects can have dependencies on each other.
One of the best features of Nx the ability to construct the project graph automatically by analyzing your source code. Currently, this works best within the JavaScript ecosystem, but it can be extended to other languages and technologies using plugins.
Project graph plugins are able to add new nodes or dependencies to the project graph. This allows you to extend the project graph with new projects and dependencies. The API is defined by two exported members, which are described below:
- createNodes: This tuple allows a plugin to tell Nx information about projects that are identified by a given file.
- createDependencies: This function allows a plugin to tell Nx about dependencies between projects.
Adding Plugins to Workspace
You can register a plugin by adding it to the plugins array in nx.json:
1{
2  ...,
3  "plugins": [
4    "awesome-plugin"
5  ]
6}
7Adding New Nodes to the Project Graph
You can add nodes to the project graph with createNodes. This is the API that Nx uses under the hood to identify Nx projects coming from a project.json file or a package.json that's listed in a package manager's workspaces section.
Identifying Projects
Looking at the tuple, you can see that the first element is a file pattern. This is a glob pattern that Nx will use to find files in your workspace. The second element is a function that will be called for each file that matches the pattern. The function will be called with the path to the file and a context object. Your plugin can then return a set of projects and external nodes.
If a plugin identifies a project that is already in the project graph, it will be merged with the information that is already present. The builtin plugins that identify projects from package.json files and project.json files are ran after any plugins listed in nx.json, and as such will overwrite any configuration that was identified by them. In practice, this means that if a project has both a project.json, and a file that your plugin identified, the settings the plugin identified will be overwritten by the project.json's contents.
Project nodes in the graph are considered to be the same if the project has the same root. If multiple plugins identify a project with the same root, the project will be merged. In doing so, the name that is already present in the graph is kept, and the properties below are shallowly merged. Any other properties are overwritten.
- targets
- tags
- implicitDependencies
- generators
Note: This is a shallow merge, so if you have a target with the same name in both plugins, the target from the second plugin will overwrite the target from the first plugin. Options, configurations, or any other properties within the target will be overwritten not merged.
Example (adding projects)
A simplified version of Nx's built-in project.json plugin is shown below, which adds a new project to the project graph for each project.json file it finds. This should be exported from the entry point of your plugin, which is listed in nx.json
1export const createNodes: CreateNodes = [
2  '**/project.json',
3  (projectConfigurationFile: string, opts, context: CreateNodesContext) => {
4    const projectConfiguration = readJsonFile(projectConfigurationFile);
5    const root = dirname(projectConfigurationFile);
6
7    return {
8      projects: {
9        [root]: projectConfiguration,
10      },
11    };
12  },
13];
14If you create targets for a project within a plugin's code, the Nx migration generators can not find that target configuration to update it. There are two ways to account for this:
- Only create dynamic targets using executors that you own. This way you can update the configuration in both places when needed.
- If you create a dynamic target for an executor you don't own, only define the executorproperty and instruct your users to define their options in thetargetDefaultsproperty ofnx.json.
Example (extending projects / adding targets)
When writing a plugin to add support for some tooling, it may need to add a target to an existing project. For example, our @nx/jest plugin adds a target to the project for running Jest tests. This is done by checking for the presence of a jest configuration file, and if it is present, adding a target to the project.
Most of Nx's first party plugins are written to add a target to a given project based on the configuration files present for that project. The below example shows how a plugin could add a target to a project based on the presence of a tsconfig.json file.
1export const createNodes: CreateNodes = [
2  '**/tsconfig.json',
3  (fileName: string, opts, context: CreateNodesContext) => {
4    const root = dirname(fileName);
5
6    const isProject =
7      existsSync(join(root, 'project.json')) ||
8      existsSync(join(root, 'package.json'));
9    if (!isProject) {
10      return {};
11    }
12
13    return {
14      projects: {
15        [root]: {
16          targets: {
17            build: {
18              command: `tsc -p ${fileName}`,
19            },
20          },
21        },
22      },
23    };
24  },
25];
26By checking for the presence of a project.json or package.json file, the plugin can be more confident that the project it is modifying is an existing Nx project.
When extending an existing project, its important to consider how Nx will merge the returned project configurations. In general, plugins are run in the order they are listed in nx.json, abd then Nx's built-in plugins are run last. Plugins overwrite information that was identified by plugins that run before them if a merge is not possible.
Nx considers two identified projects to be the same if and only if they have the same root. If two projects are identified with the same name, but different roots, there will be an error.
The logic for merging project declarations is as follows:
- name,- sourceRoot,- projectType, and any other top level properties which are a literal (e.g. not an array or object) are overwritten.
- tagsare merged and deduplicated.
- implicitDependenciesare merged, with dependencies from later plugins being appended to the end
- targetsare merged, with special logic for the targets inside of them:- If the targets are deemed compatible (They use the same executor / command, or one of the two declarations does not specify an executor / command):- The executororcommandremains the same
- The optionsobject is merged with the later plugin's options overwriting the earlier plugin's options. This is a shallow merge, so if a property is an object, the later plugin's object will overwrite the earlier plugin's object rather than merging the two.
- The configurationsobject is merged, with the later plugin's configurations overwriting the earlier plugin's configurations. The options for each configuration are merged in the same way as the top level options.
- inputsand- outputsoverwrite the earlier plugin's inputs and outputs.
 
- The 
- If the targets are not deemed compatible, the later plugin's target will overwrite the earlier plugin's target.
 
- If the targets are deemed compatible (They use the same executor / command, or one of the two declarations does not specify an executor / command):
- generatorsare merged. If both project configurations specify the same generator, those generators are merged.
- namedInputsare merged. If both project configurations specify the same named input, the later plugin's named input will overwrite the earlier plugin's named input. This is what allows overriding a named input from a plugin that ran earlier (e.g. in project.json).
Adding External Nodes
Additionally, plugins can add external nodes to the project graph. External nodes are nodes that are not part of the workspace, but are still part of the project graph. This is useful for things like npm packages, or other external dependencies that are not part of the workspace.
External nodes are identified by a unique name, and if plugins identify an external node with the same name, the external node will be overwritten. This is different from projects, where the properties are merged, but is handled this way as it should not be as common and there are less useful properties to merge.
Adding New Dependencies to the Project Graph
It's more common for plugins to create new dependencies. First-party code contained in the workspace is added to the project graph automatically. Whether your project contains TypeScript or say Java, both projects will be created in the same way. However, Nx does not know how to analyze Java sources, and that's what plugins can do.
The shape of the createDependencies function follows:
1export type CreateDependencies<T> = (
2  opts: T,
3  context: CreateDependenciesContext
4) => CandidateDependency[] | Promise<CandidateDependency[]>;
5In the createDependencies function, you can analyze the files in the workspace and return a list of dependencies. It's up to the plugin to determine how to analyze the files. This should also be exported from the plugin's entry point, as listed in nx.json.
Within the CreateDependenciesContext, you have access to the graph's external nodes, the configuration of each project in the workspace, the nx.json configuration from the workspace, all files in the workspace, and files that have changed since the last invocation. It's important to utilize the filesToProcess parameter, as this will allow Nx to only reanalyze files that have changed since the last invocation, and reuse the information from the previous invocation for files that haven't changed.
@nx/devkit exports a function called validateDependency which can be used to validate a dependency. This function takes in a CandidateDependency and the CreateDependenciesContext and throws an error if the dependency is invalid. This function is called when the returned dependencies are merged with the existing project graph, but may be useful to call within your plugin to validate dependencies before returning them when debugging.
The dependencies can be of three types:
- Implicit
- Static
- Dynamic
Implicit Dependencies
An implicit dependency is not associated with any file, and can be created as follows:
1{
2  source: 'existing-project',
3  target: 'new-project',
4  dependencyType: DependencyType.implicit,
5}
6Because an implicit dependency is not associated with any file, Nx doesn't know when it might change, so it will be recomputed every time.
Static Dependencies
Nx knows what files have changed since the last invocation. Only those files will be present in the provided filesToProcess. You can associate a dependency with a particular file (e.g., if that file contains an import).
1{
2  source: 'existing-project',
3  target: 'new-project',
4  sourceFile: 'libs/existing-project/src/index.ts',
5  dependencyType: DependencyType.static,
6}
7If a file hasn't changed since the last invocation, it doesn't need to be reanalyzed. Nx knows what dependencies are associated with what files, so it will reuse this information for the files that haven't changed.
Dynamic Dependencies
Dynamic dependencies are a special type of explicit dependencies. In contrast to standard explicit dependencies, they are only imported in the runtime under specific conditions. A typical example would be lazy-loaded routes. Having separation between these two allows us to identify situations where static import breaks the lazy-loading.
1{
2  source: 'existing-project',
3  target: 'new-project',
4  sourceFile: 'libs/existing-project/src/index.ts',
5  dependencyType: DependencyType.dynamic,
6}
7Example
Even though the plugin is written in JavaScript, resolving dependencies of different languages will probably be more easily written in their native language. Therefore, a common approach is to spawn a new process and communicate via IPC or stdout.
A small plugin that recognizes dependencies to projects in the current workspace which a referenced in another project's package.json file may look like so:
1export const createDependencies: CreateDependencies = (opts, ctx) => {
2  const packageJsonProjectMap = new Map();
3  const nxProjects = Object.values(ctx.projectsConfigurations);
4  const results = [];
5  for (const project of nxProjects) {
6    const maybePackageJsonPath = join(project.root, 'package.json');
7    if (existsSync(maybePackageJsonPath)) {
8      const json = JSON.parse(maybePackageJsonPath);
9      packageJsonProjectMap.set(json.name, project.name);
10    }
11  }
12  for (const project of nxProjects) {
13    const maybePackageJsonPath = join(project.root, 'package.json');
14    if (existsSync(maybePackageJsonPath)) {
15      const json = JSON.parse(maybePackageJsonPath);
16      const deps = [...Object.keys(json.dependencies)];
17      for (const dep of deps) {
18        if (packageJsonProjectMap.has(dep)) {
19          const newDependency = {
20            source: project,
21            target: packageJsonProjectMap.get(dep),
22            sourceFile: maybePackageJsonPath,
23            dependencyType: DependencyType.static,
24          };
25        }
26        validateDependency(newDependency, ctx);
27        results.push(newDependency);
28      }
29    }
30  }
31  return results;
32};
33Breaking down this example, we can see that it follows this flow:
- Initializes an array to hold dependencies it locates
- Builds a map of all projects in the workspace, mapping the name inside their package.json to their Nx project name.
- Looks at the package.json files within the workspace and:
- Checks if the dependency is another project
- Builds a dependency from this information
- Validates the dependency
- Pushes it into the located dependency array
- Returns the located dependencies
Accepting Plugin Options
When looking at createNodes, and createDependencies you may notice a parameter called options. This is the first parameter for createDependencies or the second parameter for createDependencies.
By default, its typed as unknown. This is because it belongs to the plugin author. The CreateNodes, CreateDependencies, and NxPluginV2 types all accept a generic parameter that allows you to specify the type of the options.
The options are read from nx.json when your plugin is specified as an object rather than just its module name.
As an example, the below nx.json file specifies a plugin called my-plugin and passes it an option called tagName.
1{
2  "plugins": [
3    {
4      "plugin": "my-plugin",
5      "options": {
6        "tagName": "plugin:my-plugin"
7      }
8    }
9  ]
10}
11my-plugin could then consume these options to add a tag to each project it detected:
1type MyPluginOptions = { tagName: string };
2
3export const createNodes: CreateNodes<MyPluginOptions> = [
4  '**/project.json',
5  (fileName, opts, ctx) => {
6    const root = dirname(fileName);
7
8    return {
9      projects: {
10        [root]: {
11          tags: opts.tagName ? [opts.tagName] : [],
12        },
13      },
14    };
15  },
16];
17This functionality is available in Nx 17 or higher.
Visualizing the Project Graph
You can then visualize the project graph as described here. However, there is a cache that Nx uses to avoid recalculating the project graph as much as possible. As you develop your project graph plugin, it might be a good idea to set the following environment variable to disable the project graph cache: NX_CACHE_PROJECT_GRAPH=false.
It might also be a good idea to ensure that the dep graph is not running on the nx daemon by setting NX_DAEMON=false, as this will ensure you will be able to see any console.log statements you add as you're developing.