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 🙏

© 2025 – Pkg Stats / Ryan Hefner

@map-colonies/mc-utils

v3.5.5

Published

This is template for map colonies typescript packages

Readme

mc-utils

this is general utilities for usage in Map Colonies project.

included components

usage

http client

this is abstract base class for sending http request with logging and request retries.

this class constructor requires the following parameters:

  • ILogger instance.
  • base url to use for all requests.
  • optional name for target service to be used in logs.
  • optional retry configuration.

the class have the following protected attributes -axiosOptions the options used by axios when sending requests

the class have the protected methods for sending http requests:

  • protected async get<T>(url: string, queryParams?: Record<string, unknown>, retryConfig?: IAxiosRetryConfig, auth?: AxiosBasicCredentials, headers?: unknown): Promise<T>
  • protected async post<T>(url: string, body?: unknown, queryParams?: Record<string, unknown>, retryConfig?: IAxiosRetryConfig, auth?: AxiosBasicCredentials, headers?: unknown): Promise<T>
  • protected async put<T>(url: string, body?: unknown, queryParams?: Record<string, unknown>, retryConfig?: IAxiosRetryConfig, auth?: AxiosBasicCredentials, headers?: unknown): Promise<T>
  • protected async delete<T>(url: string, queryParams?: Record<string, unknown>, retryConfig?: IAxiosRetryConfig, auth?: AxiosBasicCredentials, headers?: unknown): Promise<T>
  • protected async head<T>(url: string, queryParams?: Record<string, unknown>, retryConfig?: IAxiosRetryConfig, auth?: AxiosBasicCredentials, headers?: unknown): Promise<T>
  • protected async options<T>(url: string, queryParams?: Record<string, unknown>, retryConfig?: IAxiosRetryConfig, auth?: AxiosBasicCredentials, headers?: unknown): Promise<T>
  • protected async patch<T>(url: string, body?: unknown, queryParams?: Record<string, unknown>, retryConfig?: IAxiosRetryConfig, auth?: AxiosBasicCredentials, headers?: unknown): Promise<T>

function parameters list:

  • url: url path to send the request to (not including the base url).
  • body: optional object to be used as request body (in relevant request types).
  • queryParams: optional dictionary with query parameters and value.
  • retryConfig: optional override to the class retry configuration.
  • auth: optional basic authentication object (username, password).
  • headers: optional headers to proceed to the request.

usage example:

class myServiceClient extends HttpClient {
  public constructor(logger: ILogger){
    super(logger,'https://myService.com','myService',{
      attempts: 3,
      delay: 'exponential',
      shouldResetTimeout: true
    })
  }

  public async getName(): string {
    const name = await this.get<string>('api/name',{queryParam1: 'name'});
    return name;
  }
}

models

ILogger

logger interface with the flowing log methods

  • error(message:string)
  • warn(message:string)
  • info(message: string)
  • debug(message: string)

IHttpRetryConfig

http requests retry configuration interface with the following attributes:

  • attempts - the number of request to send until valid response (not 500+ status code). this value must be integer and greater then 0.
  • delay - the amount of time in ms to wait between attempts (for constant delay) or 'exponential' for exponential backoff.
  • shouldResetTimeout boolean value to indicate if the request timeout should be for each request (true) or global for all attempts (false)

Shapefile Processing with State Management

The ShapefileChunkReader provides robust shapefile processing with built-in state management and progress tracking capabilities.

Features

  • Resumable Processing: Automatically saves processing state and can resume from the last processed chunk
  • Progress Tracking: Real-time progress information including features processed, vertices counted, and time estimates
  • Metrics Collection: Optional performance metrics collection for monitoring resource usage
  • Chunk-based Processing: Processes large shapefiles in configurable chunks to manage memory usage

Basic Usage

import { ShapefileChunkReader, ReaderOptions, ChunkProcessor } from '@map-colonies/mc-utils';

// Define your chunk processor
const processor: ChunkProcessor = {
  process: async (chunk) => {
    console.log(`Processing chunk ${chunk.id} with ${chunk.features.length} features`);
    // Your processing logic here
  }
};

// Configure the reader
const options: ReaderOptions = {
  maxVerticesPerChunk: 10000,
  generateFeatureId: false, // Optional: for generating an UUID v4 for missing IDs
  logger: myLogger,
  stateManager: myStateManager, // Optional: for resumable processing
  metricsCollector: myMetricsCollector, // Optional: for performance monitoring
};

// Create and use the reader
const reader = new ShapefileChunkReader(options);
await reader.readAndProcess('/path/to/shapefile.shp', processor);

State Management

Implement the StateManager interface to enable resumable processing:

import { StateManager, ProcessingState } from '@map-colonies/mc-utils';

class FileStateManager implements StateManager {
  async saveState(state: ProcessingState): Promise<void> {
    // Save state to file, database, etc.
    await fs.writeFile('processing-state.json', JSON.stringify(state));
  }

  async loadState(): Promise<ProcessingState | null> {
    try {
      const data = await fs.readFile('processing-state.json', 'utf8');
      return JSON.parse(data);
    } catch {
      return null; // No previous state found
    }
  }
}

Progress Tracking

The reader automatically tracks processing progress and provides detailed information:

// Progress information is included in the saved state
const progressInfo = state.progress; // Contains:
// - processedFeatures, totalFeatures
// - processedChunks, totalChunks  
// - processedVertices, totalVertices
// - percentage, elapsedTimeMs, estimatedRemainingTimeMs
// - Processing speeds (features/sec, vertices/sec, chunks/sec)

Metrics Collection

Implement the MetricsCollector interface to monitor performance:

import { MetricsCollector, ChunkMetrics, FileMetrics } from '@map-colonies/mc-utils';

const metricsCollector: MetricsCollector = {
  onChunkMetrics: (metrics: ChunkMetrics) => {
    console.log(`Chunk ${metrics.chunkIndex}: ${metrics.featuresCount} features, ${metrics.totalTimeMs}ms`);
  },
  onFileMetrics: (metrics: FileMetrics) => {
    console.log(`File complete: ${metrics.totalFeatures} features, ${metrics.totalTimeMs}ms total`);
  }
};

Configuration Options

| Option | Type | Default | Description | |--------|------|---------|-------------| | maxVerticesPerChunk | number | Required | Maximum vertices per chunk to control memory usage | | generateFeatureId | boolean | false | Optional determines whether a unique feature identifier should be automatically generated for each feature missing an indentifier | | logger | Logger | undefined | Optional logger for debugging and monitoring | | stateManager | StateManager | undefined | Optional state manager for resumable processing | | metricsCollector | MetricsCollector | undefined | Optional metrics collector for performance monitoring |