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

@struktos/adapter-grpc

v0.1.2

Published

gRPC adapter for Struktos.js - Enterprise-grade gRPC integration with context propagation and middleware support

Readme

@struktos/adapter-grpc

gRPC adapter for Struktos.js - Enterprise-grade gRPC integration with context propagation and middleware support.

npm version License: MIT

🎯 Overview

@struktos/adapter-grpc integrates gRPC with the Struktos.js platform, providing:

  • Context Propagation - Automatic trace ID and metadata propagation
  • Middleware Pipeline - Full Struktos middleware support for gRPC
  • Cancellation Handling - gRPC deadline and cancellation → Struktos cancellation token
  • Interceptor System - Wrap all service methods with middleware
  • Health Checks - Built-in gRPC health check service
  • All RPC Types - Unary, server streaming, client streaming, bidirectional

📦 Installation

npm install @struktos/adapter-grpc @struktos/core @grpc/grpc-js

🚀 Quick Start

import { createGrpcAdapter, createLoggingInterceptor } from '@struktos/adapter-grpc';
import { StruktosApp, RequestContext } from '@struktos/core';

// Create app with middleware
const app = StruktosApp.create();
app.use(createLoggingInterceptor());

// Create gRPC adapter
const adapter = createGrpcAdapter({
  enableCancellation: true,
});

// Add service from proto
await adapter.addProtoService('./protos/greeter.proto', 'example.Greeter', {
  SayHello: (call, callback) => {
    const ctx = RequestContext.current();
    console.log('TraceID:', ctx?.get('traceId'));
    
    callback(null, {
      message: `Hello, ${call.request.name}!`,
    });
  },
});

// Start server
await app.listen(adapter, 50051);
console.log('gRPC server running on port 50051');

📖 Core Concepts

Context Propagation

gRPC metadata is automatically transformed into Struktos RequestContext:

// Client sends metadata
const metadata = new grpc.Metadata();
metadata.set('x-trace-id', 'trace-123');
metadata.set('x-user-id', 'user-456');
metadata.set('authorization', 'Bearer token');

client.SayHello(request, metadata, callback);

// Server receives context
const ctx = RequestContext.current<GrpcContextData>();
console.log(ctx.get('traceId'));   // 'trace-123'
console.log(ctx.get('userId'));    // 'user-456'
console.log(ctx.get('serviceName')); // 'example.Greeter'
console.log(ctx.get('methodName')); // 'SayHello'

Cancellation Handling

gRPC cancellation signals are integrated with Struktos cancellation tokens:

// Deadline from client
const deadline = new Date(Date.now() + 5000); // 5 seconds
client.SayHello(request, metadata, { deadline }, callback);

// Server-side cancellation handling
const implementation = {
  SayHello: async (call, callback) => {
    const ctx = RequestContext.current();
    
    // Register cleanup callback
    ctx.onCancel(() => {
      console.log('Request was cancelled!');
      // Clean up resources
    });
    
    // Check cancellation during long operations
    for (const item of items) {
      if (ctx.isCancelled()) {
        callback({ code: 1, details: 'Cancelled' }, null);
        return;
      }
      await processItem(item);
    }
    
    callback(null, result);
  },
};

Middleware Pipeline

All Struktos middlewares work with gRPC:

import { createMiddleware, BadRequestException } from '@struktos/core';

// Authentication middleware
const authMiddleware = createMiddleware(async (ctx, next) => {
  const authHeader = ctx.request.headers['authorization'];
  
  if (!authHeader) {
    ctx.response.status = 401;
    ctx.response.body = { error: 'Unauthorized' };
    ctx.response.sent = true;
    return; // Short-circuit pipeline
  }
  
  // Validate token and set user
  ctx.context.set('userId', 'user-123');
  await next();
});

// Validation middleware
const validationMiddleware = createMiddleware(async (ctx, next) => {
  const { name } = ctx.request.body;
  
  if (!name) {
    throw new BadRequestException('Name is required');
  }
  
  await next();
});

// Use in app
app.use(authMiddleware);
app.use(validationMiddleware);

Built-in Interceptors

import {
  createLoggingInterceptor,
  createTimeoutInterceptor,
  createRateLimitInterceptor,
} from '@struktos/adapter-grpc';

// Logging
app.use(createLoggingInterceptor({
  logRequests: true,
  logResponses: true,
}));

// Timeout (in addition to gRPC deadline)
app.use(createTimeoutInterceptor(30000)); // 30 seconds

// Rate limiting
app.use(createRateLimitInterceptor(100, 60000)); // 100 requests per minute

🔧 Configuration

Adapter Options

const adapter = createGrpcAdapter({
  // Adapter identification
  name: 'my-grpc-adapter',
  
  // Server options
  serverOptions: {
    'grpc.max_receive_message_length': 4 * 1024 * 1024, // 4MB
    'grpc.max_send_message_length': 4 * 1024 * 1024,
    'grpc.keepalive_time_ms': 30000,
  },
  
  // Credentials (default: insecure)
  credentials: ServerCredentials.createInsecure(),
  
  // Custom ID generators
  generateTraceId: () => `custom-${Date.now()}`,
  generateRequestId: () => `req-${Date.now()}`,
  
  // User extraction from metadata
  extractUserId: (metadata) => metadata.get('x-user-id')[0] as string,
  
  // Cancellation support
  enableCancellation: true,
  
  // Lifecycle hooks
  onContextCreated: (ctx, call) => {
    console.log(`Context created for ${ctx.methodPath}`);
  },
  onRequestComplete: (ctx, duration) => {
    console.log(`Request completed in ${duration}ms`);
  },
  
  // Custom error transformer
  errorTransformer: (error) => ({
    code: error.statusCode || 13,
    details: error.message,
    metadata: new Metadata(),
  }),
});

Loading Proto Files

// Single service
await adapter.addProtoService(
  './protos/greeter.proto',
  'example.Greeter',
  greeterImplementation
);

// Multiple services from one proto
await adapter.loadProtoPackage('./protos/api.proto', {
  'example.Greeter': greeterImplementation,
  'example.UserService': userImplementation,
});

// Proto loader options
await adapter.addProtoService(
  './protos/greeter.proto',
  'example.Greeter',
  implementation,
  {
    keepCase: true,
    longs: String,
    enums: String,
    defaults: true,
    oneofs: true,
    includeDirs: ['./protos'],
  }
);

📊 RPC Type Support

Unary RPC

const service = {
  GetUser: (call, callback) => {
    const user = findUser(call.request.id);
    callback(null, user);
  },
};

Server Streaming

const service = {
  ListUsers: (call) => {
    const users = getAllUsers();
    for (const user of users) {
      call.write(user);
    }
    call.end();
  },
};

Client Streaming

const service = {
  CreateUsers: (call, callback) => {
    const users = [];
    
    call.on('data', (user) => {
      users.push(createUser(user));
    });
    
    call.on('end', () => {
      callback(null, { count: users.length });
    });
  },
};

Bidirectional Streaming

const service = {
  Chat: (call) => {
    call.on('data', (message) => {
      // Echo back
      call.write({ reply: `Received: ${message.text}` });
    });
    
    call.on('end', () => {
      call.end();
    });
  },
};

🏥 Health Checks

// Set health status
adapter.setHealthStatus('example.Greeter', ServingStatus.SERVING);
adapter.setHealthStatus('example.UserService', ServingStatus.NOT_SERVING);

// Get health status
const status = adapter.getHealthStatus('example.Greeter');

🔄 Context Data

The GrpcContextData interface extends StruktosContextData:

interface GrpcContextData extends StruktosContextData {
  traceId?: string;
  requestId?: string;
  userId?: string;
  timestamp?: number;
  
  // gRPC-specific
  serviceName?: string;    // e.g., 'example.Greeter'
  methodName?: string;     // e.g., 'SayHello'
  methodPath?: string;     // e.g., '/example.Greeter/SayHello'
  callType?: GrpcCallType; // 'unary' | 'server-streaming' | etc.
  deadline?: Date;
  peer?: string;           // Client address
  metadata?: Record<string, string | string[]>;
  isStreaming?: boolean;
}

📋 Metadata Keys

import { METADATA_KEYS } from '@struktos/adapter-grpc';

// Standard metadata keys
METADATA_KEYS.TRACE_ID        // 'x-trace-id'
METADATA_KEYS.REQUEST_ID      // 'x-request-id'
METADATA_KEYS.USER_ID         // 'x-user-id'
METADATA_KEYS.AUTHORIZATION   // 'authorization'
METADATA_KEYS.CORRELATION_ID  // 'x-correlation-id'

🤝 Related Packages

📄 License

MIT © Struktos.js Team