Create the Inngest Client
The Inngest client object is used to configure your application, enabling you to create functions and send events.
import { Inngest } from "inngest";
const inngest = new Inngest({
  id: "my-application",
});
Configuration
- Name
- id
- Type
- string
- Required
- required
- Description
- A unique identifier for your application. We recommend a hyphenated slug. 
 
- Name
- baseUrl
- Type
- string
- Required
- optional
- Description
- Override the default ( - https://inn.gs/) base URL for sending events. See also the- INNGEST_BASE_URLenvironment variable.
 
- Name
- env
- Type
- string
- Required
- optional
- Description
- The environment name. Required only when using Branch Environments. 
 
- Name
- eventKey
- Type
- string
- Required
- optional
- Description
- An Inngest Event Key. Alternatively, set the - INNGEST_EVENT_KEYenvironment variable.
 
- Name
- fetch
- Type
- Fetch API compatible interface
- Required
- optional
- Description
- Override the default - fetchimplementation. Defaults to the runtime's native Fetch API.- If you need to specify this, make sure that you preserve the function's binding, either by using - .bindor by wrappng it in an anonymous function.
 
- Name
- isDev
- Type
- boolean
- Required
- optional
- Version v3.15.0+
- Description
- Set to - trueto force Dev mode, setting default local URLs and turning off signature verification, or force Cloud mode with- false. Alternatively, set- INNGEST_DEV.
 
- Name
- logger
- Type
- Logger
- Required
- optional
- Version v2.0.0+
- Description
- A logger object that provides the following interfaces ( - .info(),- .warn(),- .error(),- .debug()). Defaults to using- consoleif not provided. Overwrites- INNGEST_LOG_LEVELif set. See logging guide for more details.
 
- Name
- middleware
- Type
- array
- Required
- optional
- Version v2.0.0+
- Description
- A stack of middleware to add to the client. 
 
- Name
- schemas
- Type
- EventSchemas
- Required
- optional
- Version v2.0.0+
- Description
- Event payload types. See Defining Event Payload Types. 
 
We recommend setting the INNGEST_EVENT_KEY as an environment variable over using the eventKey option. As with any secret, it's not a good practice to hard-code the event key in your codebase.
Defining Event Payload Types
You can leverage TypeScript or Zod to define your event payload types. When you pass types to the Inngest client, events are fully typed when using them with inngest.send() and inngest.createFunction(). This can more easily alert you to issues with your code during compile time.
Click the toggles on the top left of the code block to see the different methods available!
import { EventSchemas, Inngest, type LiteralZodEventSchema } from "inngest";
import { z } from "zod";
// Define each event individually
const productPurchasedEvent = z.object({
  name: z.literal("shop/product.purchased"),
  data: z.object({ productId: z.string() }),
});
// You can use satisfies to provide some autocomplete when writing the event
const productViewedEvent = z.object({
  name: z.literal("shop/product.viewed"),
  data: z.object({ productId: z.string() }),
}) satisfies LiteralZodEventSchema;
// Or all together in a single object
const eventsMap = {
  "app/account.created": {
    data: z.object({
      userId: z.string(),
    }),
  },
  "app/subscription.started": {
    data: z.object({
      userId: z.string(),
      planId: z.string(),
    }),
  },
};
export const inngest = new Inngest({
  schemas: new EventSchemas()
    .fromZod([productPurchasedEvent, productViewedEvent])
    .fromZod(eventsMap),
});
Reusing event types v2.0.0+
You can use the GetEvents<> generic to access the final event types from an Inngest client.
It's recommended to use this instead of directly reusing your event types, as Inngest will add extra properties and internal events such as ts and inngest/function.failed.
import { EventSchemas, Inngest, type GetEvents } from "inngest";
export const inngest = new Inngest({
  schemas: new EventSchemas().fromRecord<{
    "app/user.created": { data: { userId: string } };
  }>(),
});
type Events = GetEvents<typeof inngest>;
type AppUserCreated = Events["app/user.created"];
For more information on this and other TypeScript helpers, see TypeScript - Helpers.
Cloud Mode and Dev Mode
An SDK can run in two separate "modes:" Cloud or Dev.
- Cloud Mode
- 🔒 Signature verification ON
- Defaults to communicating with Inngest Cloud (e.g. https://api.inngest.com)
 
- Dev Mode
- ❌ Signature verification OFF
- Defaults to communicating with an Inngest Dev Server (e.g. http://localhost:8288)
 
You can force either Dev or Cloud Mode by setting
INNGEST_DEV or the
isDev option.
If neither is set, the SDK will attempt to infer which mode it should be in
based on environment variables such as NODE_ENV. Most of the time, this inference is all you need and explicitly setting a mode
isn't required.
Best Practices
Share your client across your codebase
Instantiating the Inngest client in a single file and sharing it across your codebase is ideal as you only need a single place to configure your client and define types which can be leveraged anywhere you send events or create functions.
./inngest/client.ts
import { Inngest } from "inngest";
export const inngest = new Inngest({ id: "my-app" });
./inngest/myFunction.ts
import { inngest } from "./client";
export default inngest.createFunction(...);
Handling multiple environments with middleware
If your client uses middleware, that middleware may import dependencies that are not supported across multiple environments such as "Edge" and "Serverless" (commonly with either access to WebAPIs or Node).
In this case, we'd recommend creating a separate client for each environment, ensuring Node-compatible middleware is only used in Node-compatible environments and vice versa.
This need is common in places where function execution should declare more involved middleware, while sending events from the edge often requires much less.
./inngest/client.ts
// inngest/client.ts
import { Inngest } from "inngest";
import { nodeMiddleware } from "some-node-middleware";
export const inngest = new Inngest({
  id: "my-app",
  middleware: [nodeMiddleware],
});
// inngest/edgeClient.ts
import { Inngest } from "inngest";
export const inngest = new Inngest({
  id: "my-app-edge",
});
Also see Referencing functions, which can help you invoke functions across these environments without pulling in any dependencies.