System Configuration
The keystone CLI expects to find a module named keystone.ts with a default export of a Keystone system configuration returned from the function config().
import { config } from '@keystone-6/core';export default config({ /* ... */ });
The config function accepts an object representing all the configurable parts of the system:
export default config({lists: { /* ... */ },db: { /* ... */ },ui: { /* ... */ },server: { /* ... */ },session: { /* ... */ },graphql: { /* ... */ },extendGraphqlSchema: { /* ... */ },});
We will cover each of these options below.
The configuration object has a TypeScript type of KeystoneConfig, which can be imported from @keystone-6/core/types. This type definition should be considered the source of truth for the available configuration options.
Note: It is important to pass a TypeInfo type argument to the config function as it ensures proper typing for the Keystone Context. This type is automatically created in .keystone/types. You can customize the output path of the generated type by specifying it in the config object.
import { TypeInfo } from ".keystone/types";export default config<TypeInfo>({ /* ... */ });
lists
The lists config option is where you define the data model, or schema, of the Keystone system. This is where you define and configure the lists and their fields of the data model. See the Lists API docs for details on how to use this function.
import { config } from '@keystone-6/core';import { TypeInfo } from ".keystone/types";export default config<TypeInfo>({lists: { /* ... */ },/* ... */});
db
The db config option configures the database used to store data in your Keystone system. Keystone supports the database types PostgreSQL, MySQL and SQLite. These database types are powered by their corresponding Prisma database providers; postgresql, mysql and sqlite.
provider: The database provider to use, it can be one ofpostgresql,mysqlorsqlite.url: The connection URL for your databaseonConnect: which takes aKeystoneContextobject, and lets perform any actions you might need at startup, such as data seedingenableLogging(default:false): Enable logging from the Prisma client.idField(default:{ kind: "cuid" }): The kind of id field to use, it can be one of:cuid,uuidorautoincrement. This can also be customised at the list leveldb.idField. If you are usingautoincrement, you can also specifytype: 'BigInt'on PostgreSQL and MySQL to use BigInts.shadowDatabaseUrl(default:undefined): Enable shadow databases for some cloud providers.
postgresql
export default config<TypeInfo>({db: {provider: 'postgresql',url: 'postgres://dbuser:dbpass@localhost:5432/keystone',onConnect: async context => { /* ... */ },// Optional advanced configurationenableLogging: true,idField: { kind: 'uuid' },shadowDatabaseUrl: 'postgres://dbuser:dbpass@localhost:5432/shadowdb'},/* ... */});
mysql
export default config<TypeInfo>({db: {provider: 'mysql',url: 'mysql://dbuser:dbpass@localhost:3306/keystone',onConnect: async context => { /* ... */ },// Optional advanced configurationenableLogging: true,idField: { kind: 'uuid' },},/* ... */});
sqlite
export default config<TypeInfo>({db: {provider: 'sqlite',url: 'file:./keystone.db',onConnect: async context => { /* ... */ },// Optional advanced configurationenableLogging: true,idField: { kind: 'uuid' },},/* ... */});
Limitations
The sqlite provider is not intended to be used in production systems, and has certain limitations:
decimal: Thedecimalfield type is not supported.timestamp: Thetimestampfield type only supports times within the range1970 - 2038.text: Thetextfield type does not support setting a filter as case sensitive or insensitive. Assuming default collation, all the filters exceptcontains,startsWithandendsWithwill be case sensitive andcontains,startsWithandendsWithwill be case insensitive but only for ASCII characters.select: Using thetype: 'enum', the value will be represented as a string in the database.
ui
The ui config option configures the Admin UI which is provided by Keystone. This config option is for top level configuration of the Admin UI. Fine grained configuration of how lists and fields behave in the Admin UI is handled in the lists definition (see the Lists API for more details).
Options:
isDisabled(default:false): IfisDisabledis set totruethen the Admin UI will be completely disabled.isAccessAllowed(default:(context) => context.session !== undefined): This function controls whether a user can view the Admin UI. It takes aKeystoneContextobject as an argument.
Advanced configuration:
publicPages(default:[]): An array of page routes that bypass theisAccessAllowedfunction.pageMiddleware(default:undefined): An async middleware function that can optionally return a redirectgetAdditionalFiles(default:[]): An async function returns an array ofAdminFileToWriteobjects indicating files to be added to the system atbuildtime. If themodeis'write', then the code to be written to the file should be provided as thesrcargument. If themodeis'copy'then aninputPathvalue should be provided. TheoutputPathindicates where the file should be written or copied to Note: This API is designed for use by plugins, such as the@keystone-6/authpackage. See the Custom Admin UI Pages guide for details on simpler ways to customise your Admin UI.
export default config<TypeInfo>({ui: {isDisabled: false,isAccessAllowed: async (context) => context.session !== undefined,// advanced configurationpublicPages: ['/welcome'],getAdditionalFiles: [async (config: KeystoneConfig) => [{mode: 'write',src: `import { jsx } from '@keystone-ui/core';export default function Welcome() {return (<h1>Welcome to my Keystone system</h1>);}`,outputPath: 'pages/welcome.js',},{mode: 'copy',inputPath: '...',outputPath: 'pages/farewell.js',}],],},/* ... */});
server
The dev and start commands from the Keystone command line will start an Express web-server for you. This server is configured via the server configuration option.
Options:
cors(default:undefined): Allows you to configure the cors middleware for your Express server. If left undefinedcorswill not be used.port(default:3000): The port your Express server will listen on.options(default:undefined): Thehttp.createServeroptions used by Node.maxFileSize(default:200 * 1024 * 1024): The maximum file size allowed for uploads. If left undefined, defaults to200 MiBextendExpressApp(default:undefined): Allows you to extend the express app that Keystone creates.extendHttpServer(default:undefined): Allows you to extend the nodehttpserver that runs Keystone.
export default config<TypeInfo>({server: {cors: { origin: ['http://localhost:7777'], credentials: true },port: 3000,maxFileSize: 200 * 1024 * 1024,extendExpressApp: async (app, commonContext) => { /* ... */ },extendHttpServer: async (httpServer, commonContext) => { /* ... */ },},/* ... */});
extendExpressApp
This lets you modify the express app that Keystone creates before the Apollo Server and Admin UI Middleware are added to it (but after the cors and healthcheck options are applied).
The function is passed two arguments:
app: The express app keystone has createdcontext: A Keystone Context
For example, you could add your own request logging middleware:
export default config<TypeInfo>({server: {extendExpressApp: (app) => {app.use((req, res, next) => {console.log('A request!');next();});},},});
Or add a custom route handler:
export default config<TypeInfo>({server: {extendExpressApp: (app) => {app.get('/_version', (req, res) => {res.send('v6.0.0-rc.2');});},},});
You could also use it to add custom REST endpoints to your server, by creating a context for the request and using the Query API Keystone provides:
export default config<TypeInfo>({server: {extendExpressApp: (app, commonContext) => {app.get('/api/users', async (req, res) => {const context = await commonContext.withRequest(req, res);const users = await context.query.User.findMany();res.json(users);});},},});
The created context will be bound to the request, including the current visitor's session, meaning access control will work the same as for GraphQL API requests.
ProTip!: extendExpressApp can be async
extendHttpServer
This lets you interact with the node http.Server that Keystone uses.
The function is passed in 3 arguments:
server- this is the HTTP server that you can then extendcontext: A Keystone Context
For example, this function could be used to listen for 'upgrade' requests for a WebSocket server when adding support for GraphQL subscriptions
import { WebSocketServer } from 'ws';import { useServer as wsUseServer } from 'graphql-ws/lib/use/ws';export default config<TypeInfo>({server: {extendHttpServer: (httpServer, commonContext) => {const wss = new WebSocketServer({server: httpServer,path: '/api/graphql',});wsUseServer({ schema: commonContext.graphql.schema }, wss);},},});
Note: when using keystone dev, extendHttpServer is only called once on startup - you will need to restart your process for any updates
session
The session config option allows you to configure session management of your Keystone system.
In general you will use SessionStrategy objects from the @keystone-6/core/session package, rather than writing this yourself.
import { statelessSessions } from '@keystone-6/core/session';export default config<TypeInfo>({session: statelessSessions({ /* ... */ }),/* ... */});
See the Session API for more details on how to configure session management in Keystone.
graphql
The graphql config option allows you to configure certain aspects of your GraphQL API.
Options:
debug(default:process.env.NODE_ENV !== 'production'): Iftrue, stacktraces from both Apollo errors and Keystone errors will be included in the errors returned from the GraphQL API. These can be filtered out withapolloConfig.formatErrorif you need to process them, but do not want them returned over the GraphQL API.path(default:'/api/graphql'): The path of the GraphQL API endpoint.playground(default:process.env.NODE_ENV !== 'production')true- AddApolloServerPluginLandingPageGraphQLPlaygroundto the Apollo Server pluginsfalse- AddApolloServerPluginLandingPageDisabledto the Apollo Server plugins'apollo'- Do not add any plugins to the Apollo config, this will use Apollo Sandbox
apolloConfig(default:undefined): Allows you to pass extra options into theApolloServerconstructor.schemaPath(default:schema.graphql): The path of the generated GraphQL API schema.
export default config<TypeInfo>({graphql: {debug: process.env.NODE_ENV !== 'production',path: '/api/graphql',apolloConfig: {debug: true,/* ... */},},/* ... */});
extendGraphqlSchema
The extendGraphqlSchema config option allows you to extend the GraphQL API which is generated by Keystone based on your schema definition. It has a TypeScript type of (schema: import("graphql").GraphQLSchema) => import("graphql").GraphQLSchema.
extendGraphqlSchema expects a function that takes the GraphQL Schema generated by Keystone and returns a valid GraphQL Schema
import type { GraphQLSchema } from 'graphql'import { config, graphql } from '@keystone-6/core'export default config<TypeInfo>({extendGraphqlSchema: (keystoneSchema: GraphQLSchema) => {/* ... */return newExtendedSchema}/* ... */})
See the schema extension guide for more details and tooling options on how to extend your GraphQL API.