The Webhooks package provides a type-safe framework for defining webhook providers and their events, with built-in support for GitHub, Vercel, and Brex. It includes route handlers designed for Next.js applications and allows developers to easily add custom webhook providers.
It is part of Rubric's architecture for Generative UI when used with:
bun add @rubriclab/webhooks
@rubriclab scope packages are not built, they are all raw typescript. If using in a next.js app, make sure to transpile.
// next.config.ts
import type { NextConfig } from 'next'
export default {
transpilePackages: ['@rubriclab/webhooks'],
reactStrictMode: true
} satisfies NextConfig
If using inside the monorepo (@rubric), simply add
{"@rubriclab/webhooks": "*"}
to dependencies and then runbun i
Create webhook providers with type-safe event handling and verification.
import { createWebhookProvider } from '@rubriclab/webhooks'
import { z } from 'zod'
const customWebhookProvider = createWebhookProvider({
verify: async ({ request }) => {
// Verify webhook signature
const signature = request.headers.get('x-custom-signature')
return signature === 'valid-signature'
},
enable: async (args, { webhookUrl }) => {
// Enable webhook with external service
await fetch('https://api.example.com/webhooks', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ url: webhookUrl, ...args })
})
},
events: {
user_created: {
switch: (event) => event.type === 'user.created',
parse: async (payload) => z.object({
userId: z.string(),
email: z.string().email()
}).parse(payload)
},
user_updated: {
switch: (event) => event.type === 'user.updated',
parse: async (payload) => z.object({
userId: z.string(),
changes: z.record(z.unknown())
}).parse(payload)
}
}
})
Set up webhook routes and actions for Next.js with built-in providers.
// lib/webhooks.ts
import { createWebhooks } from '@rubriclab/webhooks'
import { createGithubWebhookProvider } from '@rubriclab/webhooks'
import { createVercelWebhookProvider } from '@rubriclab/webhooks'
import { createBrexWebhookProvider } from '@rubriclab/webhooks'
import { env } from '~/env'
const githubProvider = createGithubWebhookProvider({
webhookSecret: env.GITHUB_WEBHOOK_SECRET,
events: ['push', 'issue_opened'] as const,
getEnableArgs: async (args) => ({
githubAccessToken: env.GITHUB_ACCESS_TOKEN,
repository: args.repository as `${string}/${string}`
})
})
const vercelProvider = createVercelWebhookProvider({
webhookSecret: env.VERCEL_WEBHOOK_SECRET,
events: ['deployment_succeeded'] as const,
getEnableArgs: async (args) => ({
vercelToken: env.VERCEL_API_KEY,
projectId: args.projectId as string
})
})
const webhookProviders = {
github: githubProvider,
vercel: vercelProvider
}
const { routes, actions } = createWebhooks({
webhookProviders,
webhookUrl: env.WEBHOOK_BASE_URL,
eventHandler: async (event) => {
console.log('Webhook received:', { event })
// Handle different event types
switch (event.type) {
case 'github/push':
await handleGithubPush(event.data)
break
case 'github/issue_opened':
await handleGithubIssueOpened(event.data)
break
case 'vercel/deployment_succeeded':
await handleVercelDeployment(event.data)
break
}
}
})
export { routes, actions }
Use the provided actions to enable webhooks programmatically.
// app/actions/enable-webhook.ts
'use server'
import { actions } from '~/lib/webhooks'
export const { enableWebhook } = actions
// app/api/webhooks/[...webhooks]/route.ts
import { routes } from '~/lib/webhooks'
export const { POST } = routes
Handles GitHub webhook events with signature verification and automatic webhook creation.
import { createGithubWebhookProvider } from '@rubriclab/webhooks'
const githubProvider = createGithubWebhookProvider({
webhookSecret: env.GITHUB_WEBHOOK_SECRET,
events: ['push', 'issue_opened', 'issue_closed', 'issue_reopened'] as const,
getEnableArgs: async (args) => ({
githubAccessToken: env.GITHUB_ACCESS_TOKEN,
repository: args.repository as `${string}/${string}`
})
})
Supported Events:
push
- Repository push eventsissue_opened
- New issues createdissue_closed
- Issues closedissue_reopened
- Issues reopened
Handles Vercel deployment and project events.
import { createVercelWebhookProvider } from '@rubriclab/webhooks'
const vercelProvider = createVercelWebhookProvider({
webhookSecret: env.VERCEL_WEBHOOK_SECRET,
events: ['deployment_created', 'deployment_succeeded'] as const,
getEnableArgs: async (args) => ({
vercelToken: env.VERCEL_API_KEY,
projectId: args.projectId as string
})
})
Supported Events:
deployment_created
- Deployment createddeployment_succeeded
- Deployment succeeded
Handles Brex financial and card events.
import { createBrexWebhookProvider } from '@rubriclab/webhooks'
const brexProvider = createBrexWebhookProvider({
webhookSecret: env.BREX_WEBHOOK_SECRET,
events: ['expense_payment_updated'] as const,
getEnableArgs: async (args) => ({
brexApiKey: env.BREX_API_KEY,
teamId: args.teamId as string
})
})
Supported Events:
expense_payment_updated
- Expense payment updated
Create your own webhook provider by implementing the required interface:
import { createWebhookProvider } from '@rubriclab/webhooks'
import { z } from 'zod'
const customProvider = createWebhookProvider({
// Verify webhook authenticity
verify: async ({ request }) => {
const signature = request.headers.get('x-signature')
const body = await request.text()
return verifySignature(signature, body)
},
// Enable webhook with external service
enable: async (args, { webhookUrl }) => {
await fetch('https://api.example.com/webhooks', {
method: 'POST',
headers: { 'Authorization': `Bearer ${args.apiKey}` },
body: JSON.stringify({ url: webhookUrl })
})
},
// Define event types and parsing
events: {
user_created: {
switch: (event) => event.type === 'user.created',
parse: async (payload) => z.object({
userId: z.string(),
email: z.string().email()
}).parse(payload)
}
}
})
Add the following to your environment schema:
// env.ts
import { createEnv } from '@t3-oss/env-nextjs'
import z from 'zod'
export default createEnv({
client: {
NEXT_PUBLIC_WEBHOOK_URL: z.string().min(1)
},
server: {
GITHUB_WEBHOOK_SECRET: z.string().min(1),
GITHUB_ACCESS_TOKEN: z.string().min(1),
VERCEL_WEBHOOK_SECRET: z.string().min(1),
VERCEL_API_KEY: z.string().min(1),
BREX_WEBHOOK_SECRET: z.string().min(1),
BREX_API_KEY: z.string().min(1)
},
runtimeEnv: {
NEXT_PUBLIC_WEBHOOK_URL: process.env.NEXT_PUBLIC_WEBHOOK_URL,
GITHUB_WEBHOOK_SECRET: process.env.GITHUB_WEBHOOK_SECRET,
GITHUB_ACCESS_TOKEN: process.env.GITHUB_ACCESS_TOKEN,
VERCEL_WEBHOOK_SECRET: process.env.VERCEL_WEBHOOK_SECRET,
VERCEL_API_KEY: process.env.VERCEL_API_KEY,
BREX_WEBHOOK_SECRET: process.env.BREX_WEBHOOK_SECRET,
BREX_API_KEY: process.env.BREX_API_KEY
}
})