New Case Study:See how Anthropic automated 95% of dependency reviews with Socket.Learn More
Socket
Sign inDemoInstall
Socket

@archtx/procedures

Package Overview
Dependencies
Maintainers
1
Versions
18
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

@archtx/procedures

Procedure generator for @archtx

1.1.8
npm
Version published
Weekly downloads
509
199.41%
Maintainers
1
Weekly downloads
 
Created
Source

@archtx/procedures

A TypeScript library for generating type-safe Procedure Calls with built-in schema validation using Suretype or TypeBox.

Features

  • Create type-safe Procedures
  • Built-in schema validation using Suretype/TypeBox
  • Runtime validation of arguments
  • Generated JSON-Schema for Procedures

Installation

npm install @archtx/procedures

Usage

Basic Example

import { Procedures } from '@archtx/procedures'
import { v } from 'suretype'

const { Create } = Procedures()

// Register a query Procedure
const { getUserInfo, getUserInfoSchema } = Create(
  'getUserInfo',
  {
    schema: {
      args: v.object({ userId: v.string().required() }),
      data: v.object({
        name: v.string().required(),
        email: v.string(),
      }),
    },
  },
  async (ctx, args) => {
    // Handle the Procedure call
    return {
      name: 'John Doe',
      email: 'john@example.com',
    }
  },
)

// Call the Procedure
const userInfo = await getUserInfo({ userId: '123' })

// view the JSON-schema for the Procedure
console.log(getUserInfoSchema.args, getUserInfoSchema.data)

With Custom Context

You can pass a type to the Procedures<Type>() invokation to require custom context in all procedure calls. The hook function allows you to add local context to the Procedure call. This is useful for adding additional context to the Procedure call, such as authentication tokens or user information.

The context type will be typed in the Procedure handler first argument ctx.

When your procedure has a hook the return value of the hook function will be passed to the Procedure handler by extending the ctx object. This allows you to pass additional context to the Procedure handler.

interface CustomContext {
  authToken: string
}

const { Create } = Procedures<CustomContext>({
  // Procedure handler registration callback
  onCreate: ({ handler, name }) => {
    httpRouter.post(`/Procedure/${name}`, async (req) => {
      return handler({ authToken: req.headers.authorization }, req.body)
    })
  },
})

const { CheckIsAuthenticated } = Create(
  'CheckIsAuthenticated',
  {
    hook: async (ctx, args) => {
      if (validateAuthToken(ctx.authToken)) {
        const user = await getUserFromToken(ctx.authToken)

        return { user }
      }

      throw new Error('Invalid auth token')
    },

    schema: {
      data: v.string(),
    },
  },
  async (ctx, args) => {
    // Access context in handler with type-safety
    console.log(ctx.user)
    return 'User authentication is valid'
  },
)

// Call the Procedure
CheckIsAuthenticated({ authToken: 'valid-token' }, {}) // Returns 'User authentication is valid'
CheckIsAuthenticated({ authToken: 'no-token' }, {}) // Throws 'ProcedureContextError: Invalid auth token'

Retrieving Registered Procedures

const { Create, getProcedures } = Procedures()

// Later in your code
const registeredProcedures = getProcedures()
const userInfoProcedure = registeredProcedures.get('getUserInfo')

Generated JSON-Schema

const { Create, getProcedures } = Procedures()

const { getUserInfo, getUserInfoSchema } = Create(
  'getUserInfo',
  {
    schema: {
      args: v.object({ userId: v.string().required() }),
      data: v.object({
        name: v.string().required(),
        email: v.string(),
      }),
    },
  },
  async (ctx, args) => {
    // Handle the Procedure call
    return {
      name: 'John Doe',
      email: '',
    }
  },
)

console.log(getUserInfoSchema) // { args: JSON-schema; data: JSON-schema }
// or
console.log(getProcedures().get('getUserInfo').config.schema) // { args: JSON-schema; data: JSON-schema }

Procedure Errors

The context provided to each procedure has a built-in error method that can be used to throw errors with a specific error code and message. This is useful for handling errors in a consistent way across all procedures.

import { Procedures, ProcedureCodes } from '@archtx/procedures'

const { Create } = Procedures()

const { getUserInfo } = Create(
  'getUserInfo',
  {
    //...
  },
  async (ctx, args) => {
    if (!isSomeConditionPassing(args)) {
      throw ctx.error(
        ProcedureCodes.PRECONDITION_FAILED,
        'Some condition failed',
        {
          // extra (optional) meta data for the error
        },
      )
    }
    return {
      name: 'John Doe',
      email: '',
    }
  },
)

The lib exports a ProcedureError that can be used:

import { ProcedureError } from '@archtx/procedures'
import { processError } from '@vitest/utils/error'

const procedureError = new ProcedureError(500, 'Internal server error', {
  // this 3rd argument is optional
  extraInfo: '...',
})

processError.procedureName // string
processError.code // number
processError.message // string
processError.meta // object
/**
 * A list of common codes borrowed from HTTP status codes.
 */
enum ProcedureCodes {
  OK = 200,
  CREATED = 201,
  ACCEPTED = 202,
  NO_CONTENT = 204,
  RESET_CONTENT = 205,
  PARTIAL_CONTENT = 206,
  BAD_REQUEST = 400,
  UNAUTHORIZED = 401,
  FORBIDDEN = 403,
  NOT_FOUND = 404,
  NOT_ACCEPTABLE = 406,
  PROXY_AUTHENTICATION_REQUIRED = 407,
  TIMEOUT = 408,
  CONFLICT = 409,
  PRECONDITION_FAILED = 412,
  VALIDATION_ERROR = 422,
  TOO_MANY_REQUESTS = 429,
  INTERNAL_ERROR = 500,
  HANDLER_ERROR = 500,
  NOT_IMPLEMENTED = 501,
  SERVICE_UNAVAILABLE = 503,
}

API Reference

Procedures(options?)

Creates a new Procedure generator instance.

Options
  • onCreate: Callback function called when a new Procedure is registered
    • handler: The Procedure handler function
    • config: Configuration object containing schema and local Procedure context handler
    • name: Name of the Procedure procedure

Create

Object containing methods to register new Procedures.

Methods
  • query(name, options, handler): Register a query Procedure
  • mutation(name, options, handler): Register a mutation Procedure

Note: query and mutation methods are identical, except for the type of Procedure registered. These Procedure "type"'s are used in client implementation to differentiate between query and mutation Procedures. This helps clients support caching calls appropriately if using a cache layer. For example, you can cache
query Procedures but should not cache mutation Procedures.

Options
  • schema:
    • args: Suretype/TypeBox validation schema for arguments
    • data: Suretype/TypeBox validation schema for return data
  • context: Function that returns additional context local to the Procedure call

Error Handling

The library includes built-in validation error handling through the ProcedureValidationError class.

If the Procedure config.args schema exists, the args are validated before the Procedure handler is called. If the validation fails, an ProcedureValidationError is thrown with the validation error message.

Acknowledgements

  • @sinclair/typebox - For providing a great library for generating JSON schema with TypeScript.
  • @suretype/suretype - For providing a great library for runtime type validation.
  • @typeschema - For providing inspiration for the Procedure schema resolver between Suretype or TypeBox.

License

MIT

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

FAQs

Package last updated on 09 Mar 2025

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts