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

elysia-protobuf

v1.0.7

Published

Easy support protobuf integration for Elysia. To decode/encode we use @bufbuild/protobuf lib and schemas generated by ts-proto

Readme

elysia-protobuf

Easy support protobuf integration for Elysia. To decode/encode we use @bufbuild/protobuf lib and schemas generated by ts-proto

Install

bun install elysia-protobuf

Before starting

Lib is incompatible with default elysia body/response validation! Don't mix it with parse: "protobuf"!

Usage

✅ Do: Use requestSchema field and import decode from context

import Elysia from "elysia";
import {
  protobuf,
  ProtoRequestError,
  ProtoResponseError,
} from "elysia-protobuf";
import {
  RequestMessage,
  ResponseMessage,
  ResponseStatus,
} from "./proto/message";

const app = new Elysia()
  .use(
    protobuf({
      schemas: {
        "post.request": RequestMessage,
        "post.response": ResponseMessage,
      },
      // (optional) verify body with signature
      signature: {
        enabled: true,
        secret: "test123",
        headerName: "x-signature",
      },
    }),
  )
  .post(
    "/post",
    async ({ body, decode, headers }) => {
      // decode uint8array with your schema
      const data = await decode("post.request", body, headers);
      console.log(data);
      return {
        status: ResponseStatus.SOME,
        inlineTags: data.tags.join(", "),
      };
    },
    {
      // parse body as arrayBuffer -> Uint8Array
      parse: "protobuf",
      // encode response with protobuf schema
      responseSchema: "post.response",
    },
  )
  .listen(3000);

❌ Don't: Use default body/response elysia validation with parse: "protobuf"

// ...
const app = new Elysia()
  .use(
    protobuf({
      schemas: {
        "post.request": RequestMessage,
        "post.response": ResponseMessage,
      },
    }),
  )
  .post(
    "/post",
    async ({ body, decode }) => {
      // decode uint8array with your schema
      const data = await decode("post.request", body);
      console.log(data);
      return {
        status: ResponseStatus.SOME,
        inlineTags: data.tags.join(", "),
      };
    },
    {
      parse: "protobuf",
      responseSchema: "post.response",
      // ! ❌ INCOMPATIBLE with `parse: "protobuf"`
      //   body: t.Object({
      //     title: t.String(),
      //     updatedAt: t.Optional(t.Number()),
      //     tags: t.Array(t.String()),
      //   }),
      // Doubtful But Okay
      // body: t.Uint8Array(),
    },
  )
  .post(
    "/json",
    ({ body }) => {
      return body;
    },
    {
      // OK if parse mode isn't protobuf
      body: t.Object({
        title: t.String(),
        updatedAt: t.Optional(t.Number()),
        tags: t.Array(t.String()),
      }),
    },
  )
  .listen(3000);

You can handle plugin errors with onError event

import { protobuf, ProtoRequestError, ProtoResponseError } from "../../src";
// ...

const app = new Elysia()
  .use(
    protobuf({
      schemas: {
        "post.request": RequestMessage,
        "post.response": ResponseMessage,
      },
    }),
  )
  .error({
    PROTO_RESPONSE_ERROR: ProtoResponseError,
    PROTO_REQUEST_ERROR: ProtoRequestError,
  })
  .onError(({ code, error, set }) => {
    // something like that
    switch (code) {
      case "PROTO_REQUEST_ERROR": {
        set.status = 400;
        break;
      }
      case "PROTO_RESPONSE_ERROR": {
        set.status = 500;
        break;
      }
    }

    return {
      message: (error as Error).message,
    };
  });
// ...

You can only parse protobuf body as Uint8Array with use only protobufParser

import { protobufParser } from "../src";

const app = new Elysia().use(protobufParser()).post("/a", ({ body }) => body, {
  parse: "protobuf",
});

Create protobuf schema:

  1. Install protoc
  2. Install ts-proto package
  3. Convert .proto to .ts with ts-proto (see example for details):
protoc --plugin=.\\node_modules\\.bin\\protoc-gen-ts_proto --ts_proto_opt=esModuleInterop=true --ts_proto_opt=importSuffix=.js --ts_proto_out=./src ./proto/*.proto
  1. Import schemas from ./src/proto/YOUR_FILE.ts

Options

| Key | Type | Default | Description | | --------- | --------- | --------- | ------------------ | | schemas | Schemas | {} | key - proto schema | | signature | Signature | undefined | signature settings |

new Elysia().use(
  protobuf({
    schemas: {
      // any string key: proto schema
      "post.request": RequestMessage,
      "post.response": ResponseMessage,
    },
    signature: {
      // disabled by default
      enabled: true,
      secret: "changeme",
      headerName: "x-signature",
    },
  }),
);