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

@seam-rpc/core

v2.1.0

Published

<img width="1940" height="829" alt="image" src="https://github.com/user-attachments/assets/8a4a8a8b-1b57-4c1e-b6bb-ebab81ba8a32" />

Readme

SeamRPC

About

SeamRPC is a simple RPC library for client-server communication using TypeScript using Express for the server.

Making requests to the server is as simple as calling a function and SeamRPC sends it to server for you under the hood.

Setup

Server

Implement your API functions in a TypeScript file. It's recommended to split different routes into different files, all inside the same folder. You can also optionally include JSDoc comments for the functions. The returned value of an API function is sent from the server to the client. If an error is thrown in the API function in the server, the function throws an error in the client as well (Seam RPC internally responds with HTTP code 400 which the client interprets as an error).

Note: For consistency reasons between server and client API functions, Seam RPC requires all API functions to return a Promise.

Example:

server-app
  ├─ index.ts
  └─ api
     ├─ users.ts
     └─ posts.ts

api/users.ts

import { SeamFile } from "@seam-rpc/server";

export interface User {
    id: string;
    name: string;
}

const users: User[] = [];

/**
 * Creates a new user and returns its ID.
 * @param name The name of the user.
 * @returns ID of the newly created user.
 */
export async function createUser(name: string): Promise<string> {
    const user = {
        id: Date.now().toString(),
        name
    };
    users.push(user);
    return user.id;
}

/**
 * Gets a user by ID.
 * @param id The ID of the user.
 * @returns The user object.
 */
export async function getUser(id: string): Promise<User | undefined> {
    const user = users.find(e => e.id == id);
    if (user)
        return user;
    else
        throw new Error("user not found");
}

Client

The client needs to have the same schema as your API so you can call the API functions and have autocomplete. Behind the scenes these functions will send an HTTP requests to the server. SeamRPC can automatically generate the client schema files. To do this, you can either run the command seam-rpc gen-client <input-files> <output-folder> or define a config file and then run the command seam-rpc gen-client.

  • input-files - Specify what files to generate the client files from. You can use glob pattern to specify the files.
  • output-folder - Specify the folder where to store the generated client api files.

Example: seam-rpc gen-client ./src/api/* ../server-app/src/api

client-app
  ├─ index.ts
  └─ api
     ├─ users.ts
     └─ posts.ts

The api folder in the client contains the generated API client files, and should not be manually edited.

The generated api/users.ts file:

Notice that the JSDoc comments are included in the client files.

import { callApi, SeamFile, ISeamFile } from "@seam-rpc/client";
export interface User {
    id: string;
    name: string;
}
/**
 * Creates a new user and returns its ID.
 * @param name The name of the user.
 * @returns ID of the newly created user.
 */
export function createUser(name: string): Promise<string> { return callApi("users", "createUser", [name]); }
/**
 * Gets a user by ID.
 * @param id The ID of the user.
 * @returns The user object.
 */
export function getUser(id: string): Promise<User | undefined> { return callApi("users", "getUser", [id]); }

Config file

If you don't want to specify the input files and output folder every time you want to generate the client files, you can create a config file where you define these paths. You can create a seam-rpc.config.json file at the root of your project and use the following data:

{
    "inputFiles": "./src/api/*",
    "outputFolder": "../client/src/api"
}

or you can automatically generate a file using seam-rpc gen-config [input-files] [output-folder]. If you don't specify the input files and output folder, it will use the default paths (see JSON above).

Uploading and downloading files

Both server and client can send files seamlessly. Just use the SeamFile class for this. You can have a parameter as a file or an array/object containing a file. You can have deeply nested files inside objects.

A SeamFile has 3 properties:

  • data - binary data
  • fileName (optional) - name of the file
  • mimeType (optional) - The MIME type of the file (Learn more)

Example:

interface UserData {
    id: string;
    name: string;
    avatar: SeamFile;
}

export async function updateUser(userId: string, userData: UserData): Promise<void> {
    if (userData.avatar.mimeType != "image/png" && userData.avatar.mimeType != "image/jpeg")
        throw new Error("Only PNGs and JPEGs allowed for avatar.");

    users[userId].name = userData.name;
    users[userId].avatar = userData.avatar.fileName;
    writeFileSync(`../avatars/${userData.avatar.fileName}`, userData.avatar.data);
}

Important notices

  • The generated client files contain all imports from the api implementation file in the backend that import from the current relative folder (./). This is the simplest way I have to include imports (at least for now). It may import functions and unused symbols but that shouldn't be too worrying.
  • Don't include backend/server functions inside the server api files.
  • Only exported functions will be included in the client generated files.

Supported types

SeamRPC supports the following types (at least for now):

  • string
  • number
  • boolean
  • null
  • undefined
  • arrays
  • objects

Classes are technically supported, in that the data is serialized to JSON.

Other JavaScript types are not supported, although SeamRPC doesn't prevent you from using them, in which case they might lead to unexpected beahviour or even errors.

The Date object type is not supported (at least for now). However, you can use number and pass Date.now() or string and pass new Date().toString(). This is not different than a normal HTTP request using JSON. SeamRPC also uses JSON behind the scenes, that's why there's these limitations, which could be overcome but I've decided not to because it would probably add more overhead to the logic.