npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@versu/core

v0.7.1

Published

Versu (Core Library)

Downloads

3,119

Readme

versu

@versu/core - Core Library

The core business logic powering Versu. This package is completely framework-agnostic and can be integrated into any TypeScript/JavaScript project, CI/CD system, or custom tooling.

Installation

npm install @versu/core

Quick Start

import { VersuRunner } from '@versu/core';

const runner = new VersuRunner({
  repoRoot: '/path/to/repository',
  adapter: 'gradle', // Optional - auto-detected if not specified
  dryRun: false,
  pushTags: true,
  pushChanges: true,
  generateChangelog: true
});

const result = await runner.run();

console.log(`Bumped: ${result.bumped}`);
console.log(`Changed modules:`, result.changedModules);
console.log(`Created tags:`, result.createdTags);

For detailed pre-release configuration and examples, see PRERELEASE.md.

VersuRunner API

Options

interface RunnerOptions {
  repoRoot: string;                    // Path to repository root
  adapter?: string;                    // Language adapter (auto-detected if not specified)
  dryRun?: boolean;                    // Preview changes without writing (default: false)
  pushTags?: boolean;                  // Push version tags (default: true)
  prereleaseMode?: boolean;            // Generate pre-release versions (default: false)
  prereleaseId?: string;               // Pre-release identifier: alpha, beta, rc, etc. (default: 'alpha')
  bumpUnchanged?: boolean;             // Bump modules with no changes in prerelease mode (default: false)
  addBuildMetadata?: boolean;          // Add build metadata with short SHA (default: false)
  timestampVersions?: boolean;         // Use timestamp-based prerelease IDs (default: false)
  appendSnapshot?: boolean;            // Add -SNAPSHOT suffix (Gradle only) (default: false)
  pushChanges?: boolean;               // Commit and push version changes (default: true)
  generateChangelog?: boolean;         // Generate changelogs (default: true)
}

Result

interface RunnerResult {
  bumped: boolean;                     // Whether any version was updated
  changedModules: Array<{
    name: string;                      // Module name
    from: string;                      // Previous version
    to: string;                        // New version
  }>;
  createdTags: string[];              // Git tags that were created
  changelogPaths: string[];           // Generated changelog file paths
}

Configuration

Versu core uses cosmiconfig for configuration loading and Zod for validation.

Supported Configuration Files

  1. package.json (in a "versu" property)
  2. .versurc.json
  3. .versurc.yaml / .versurc.yml
  4. .versurc.js or versu.config.js (JavaScript)

Configuration Example

{
  "versionRules": {
    "defaultBump": "patch",
    "commitTypeBumps": {
      "feat": "minor",
      "fix": "patch",
      "perf": "patch",
      "docs": "ignore"
    },
    "dependencyBumps": {
      "major": "major",
      "minor": "minor",
      "patch": "patch"
    }
  },
  "changelog": {
    "root": {
      "context": {
        "prependPlaceholder": "<!-- CHANGELOG -->"
      }
    },
    "module": {
      "context": {
        "prependPlaceholder": "<!-- CHANGELOG -->"
      }
    }
  }
}

Changelog Configuration:

  • changelog.root - Configuration for root-level CHANGELOG.md generation
  • changelog.module - Configuration for per-module CHANGELOG.md generation
  • context.prependPlaceholder - Placeholder string in changelog files where new entries are inserted
  • options - Advanced changelog generation options (templates, grouping, sorting)

Versu uses conventional-changelog-writer for changelog generation. You can pass any options supported by conventional-changelog-writer through the options field. For advanced customization with functions (like transform, commitsGroupsSort), use JavaScript configuration files (.versurc.js or versu.config.js).

Adapters

Gradle Adapter

Gradle support is provided by the @versu/plugin-gradle package.

Features:

  • Multi-module project detection
  • Version management through root gradle.properties
  • Dependency detection
  • Both Groovy and Kotlin DSL support

Version Format:

# Root module
version=1.0.0

# Submodules
core.version=2.1.0
api.version=1.5.0

Creating Custom Adapters

To add support for new project types, create a plugin package that implements the adapter interfaces:

import { 
  AdapterIdentifier,
  ModuleDetector,
  VersionUpdateStrategy,
  ModuleSystemFactory,
  AdapterMetadata,
  RawProjectInformation,
  ProcessedModuleChange
} from '@versu/core';

// 1. Adapter identifier for auto-detection
class MyAdapterIdentifier implements AdapterIdentifier {
  readonly metadata: AdapterMetadata = {
    id: 'my-adapter',
    capabilities: { supportsSnapshots: false }
  };

  async accept(projectRoot: string): Promise<boolean> {
    // Check for adapter-specific files
    return await fileExists(path.join(projectRoot, 'my-build-file'));
  }
}

// 2. Module detector for discovering project structure
class MyModuleDetector implements ModuleDetector {
  async detectModules(projectRoot: string): Promise<RawProjectInformation> {
    // Discover and return modules and dependencies
    return {
      modules: [
        { name: 'root', path: projectRoot, version: '1.0.0' },
        { name: 'module-a', path: join(projectRoot, 'module-a'), version: '2.0.0' }
      ],
      dependencies: [
        { from: 'module-a', to: 'root' }
      ]
    };
  }
}

// 3. Version update strategy for applying changes
class MyVersionUpdateStrategy implements VersionUpdateStrategy {
  async applyVersionUpdates(
    changes: ProcessedModuleChange[],
    projectRoot: string
  ): Promise<void> {
    // Apply version changes to build files
    for (const change of changes) {
      // Update version in your project's format
    }
  }
}

// 4. Module system factory to tie it all together
class MyModuleSystemFactory implements ModuleSystemFactory {
  createDetector(): ModuleDetector {
    return new MyModuleDetector();
  }
  
  createVersionUpdateStrategy(): VersionUpdateStrategy {
    return new MyVersionUpdateStrategy();
  }
}

Then create a plugin:

import type { PluginContract } from '@versu/core';

const myPlugin: PluginContract = {
  id: 'my-adapter',
  name: 'My Adapter',
  description: 'Support for my build system',
  version: '1.0.0',
  author: 'Your Name',
  adapters: [
    {
      id: 'my-adapter',
      adapterIdentifier: () => new MyAdapterIdentifier(),
      moduleSystemFactory: (repoRoot: string) => new MyModuleSystemFactory(repoRoot),
    },
  ],
};

export default myPlugin;

See @versu/plugin-gradle for a complete implementation example.

Development

Building

# From monorepo root
npm run build

# Or from core package
cd packages/core
npm run build

Testing

# From monorepo root
npm test

# Or from core package
cd packages/core
npm test
npm run test:coverage

Publishing

npm publish --workspace packages/core --access public

Related Packages

Requirements

  • Node.js: >= 20
  • TypeScript: >= 5.0 (if using TypeScript)

License

MIT License - see LICENSE for details.