Skip to main content

Create a Sub-Org with a Passkey User

Overview

In this guide, we'll walk through the process of creating a new end user with a passkey. Generally, these new users will take the form of a Turnkey Sub-Organization. This process involves using the following Turnkey SDK packages:

  1. @turnkey/sdk-server: Used on the server-side to leverage the parent organization's public/private API key pair to create the new user's sub-organization.
  2. @turnkey/sdk-browser: Used on the client-side to complete the email recovery process by adding an end-user passkey.
  3. @turnkey/sdk-react: Used for Next.js applications to initialize the Turnkey SDK.

The process of creating a new sub-organization is split between client-side and server-side operations to prevent exposing the parent organization's private API key.

info

For a refresher on the relationship between your application's end users and Turnkey Sub-Organizations, see this page for more.

Implementation

Initialize the Turnkey SDK on the Browser

Wrap the root layout of your application with the TurnkeyProvider providing the required configuration options. This allows you to use the Turnkey client throughout your app via the useTurnkey() hook.

app/layout.tsx
import { TurnkeyProvider } from "@turnkey/sdk-react";

export default function RootLayout({
children,
}: {
children: React.ReactNode;
}) {
return (
<html>
<body>
<TurnkeyProvider
config={{
rpId: process.env.NEXT_PUBLIC_TURNKEY_RP_ID,
apiBaseUrl: process.env.NEXT_PUBLIC_TURNKEY_API_BASE_URL,
defaultOrganizationId:
process.env.NEXT_PUBLIC_TURNKEY_ORGANIZATION_ID,
}}
>
{children}
</TurnkeyProvider>
</body>
</html>
);
}
info

The NEXT_PUBLIC_TURNKEY_ORGANIZATION_ID should be set to the parent organization ID which can be found in the Turnkey Dashboard.

The NEXT_PUBLIC_TURNKEY_RP_ID should be set to your application's desired relying party ID; this is typically your domain, or localhost if developing locally. See this page for more details.

Initialize the Passkey Client

Next, we'll initialize the passkeyClient, which will enable your application to interact with passkeys.

We add the "use client" directive to the Recovery component to as react hooks can only be used client-side.

app/create-suborg.tsx
"use client";

import { useTurnkey } from "@turnkey/sdk-react";

export default function CreateSubOrganization() {
const { passkeyClient } = useTurnkey();

return <div>{/* ... rest of the code */}</div>;
}

Create User Passkey

In order to create a new passkey for a user, you can call the createUserPasskey SDK function. Calling this method will prompt the user to create a passkey, which will be securely stored by their browser. This credential will be associated with the user's account (sub-organization) and used for future authentication. Once the credential is created, we'll use it in the next step to create a new sub-organization that corresponds to the user.

info

The result of createUserPasskey includes an encoded challenge and attestation. The encoded challenge ensures the request is fresh and legitimate, while the attestation verifies the authenticity of the device creating the credential. For more information on how passkeys work, including details on the challenge and attestation objects, you can refer to the Passkeys Documentation.

app/create-suborg.tsx
// ... previous code

export default function CreateSubOrganization() {
const { passkeyClient } = useTurnkey();

const createNewPasskey = async () => {
const credential = await passkeyClient?.createUserPasskey({
publicKey: {
// This is the name of the passkey that will be displayed to the user
rp: {
name: "Wallet Passkey",
},
user: {
// We can use the username as the name and display name
name: "Default User Name",
displayName: "Default User Name",
},
},
});

// we'll use this credential in the next step to create a new sub-organization
return credential;
};

// ... rest of the code

return (/* ... */);
}

Initialize the Turnkey SDK on the Server

Initialize the Turnkey SDK on the server-side using the @turnkey/sdk-server package. This allows you to use the parent organization's public/private API key pair to create sub-organizations.

For Next.js, add the "use server" directive at the top of the file where you're initializing the Turnkey server client. This will ensure that the function is executed on the server-side and will have access to the server-side environment variables e.g. your parent organization's public/private API key pair. For more information on Next.js server actions, see the Next.js documentation on Server Actions and Mutations.

app/actions.ts
"use server";

import { Turnkey } from "@turnkey/sdk-server";

// Initialize the Turnkey Server Client on the server-side
const turnkeyServer = new Turnkey({
baseUrl: "https://api.turnkey.com",
apiPrivateKey: process.env.TURNKEY_API_PRIVATE_KEY,
apiPublicKey: process.env.TURNKEY_API_PUBLIC_KEY,
defaultOrganizationId: process.env.TURNKEY_ORGANIZATION_ID,
}).apiClient();

Create a Function for Sub-Org Creation

Next we'll create a new function called createSubOrganization that will be used to create a new sub-organization from the server-side. This method will be called from the client-side with the end-user's details.

We export the createSubOrganization server action to be called from the client-side.

app/actions.tsx
import { DEFAULT_ETHEREUM_ACCOUNTS } from "@turnkey/sdk-browser";

// ... previous code

type TAttestation = {
credentialId: string;
clientDataJson: string;
attestationObject: string;
transports: (
| "AUTHENTICATOR_TRANSPORT_BLE"
| "AUTHENTICATOR_TRANSPORT_INTERNAL"
| "AUTHENTICATOR_TRANSPORT_NFC"
| "AUTHENTICATOR_TRANSPORT_USB"
| "AUTHENTICATOR_TRANSPORT_HYBRID"
)[];
};

export const createSubOrganization = async (
email: string,
credential: string,
attestation: string,
) => {
const createSubOrgResponse = await turnkeyServer.createSubOrganization({
subOrganizationName: "My New Suborg",
rootUsers: [
{
userName: "Default User Name",
userEmail: email,
apiKeys: [],
authenticators: [
{
authenticatorName: "Default Passkey",
challenge: challenge,
attestation: attestation,
},
],
oauthProviders: [],
},
],
rootQuorumThreshold: 1,
wallet: {
walletName: "Default Wallet",
accounts: DEFAULT_ETHEREUM_ACCOUNTS,
},
});

return createSubOrgResponse;
};

Complete Create Sub-Organization

At this stage, we create the sub-organization using the server-side function we created in the previous step.

1. Import the server action
app/create-suborg.tsx
import { createSubOrganization } from "./actions";
2. Call createSubOrganization with the end-user's details
app/create-suborg.tsx
// ...

import { useForm } from "react-hook-form";

type TSubOrgFormData = {
email: string;
};

export default function CreateSubOrganization() {
// ...

// Use form handler for suborg creation
const { register: subOrgFormRegister, handleSubmit: subOrgFormSubmit } =
useForm<TSubOrgFormData>();

// Maintain state
const [createSubOrganizationResponse, setCreateSubOrganizationResponse] =
useState(null);

const createSubOrg = async (data: TSubOrgFormData) => {
const { encodedChallenge: challenge, attestation } =
await createNewPasskey();

const createSubOrganizationResponse = await createSubOrganization(
data.email,
challenge,
attestation,
);

setCreateSubOrganizationResponse(createSubOrganizationResponse);
};

return (
<div>
{createSubOrganizationResponse ? (
<h2>You've created a sub-organization!</h2>
) : (
<form onSubmit={subOrgFormSubmit(createSubOrg)}>
<label>
Email
<input {...subOrgFormRegister("email")} placeholder="User Email" />
</label>
<input type="submit" value="Create new sub-organization" />
</form>
)}
</div>
);
}
create-suborg.tsx
"use client";

import { useState } from "react";
import { useTurnkey } from "@turnkey/sdk-react";
import { useForm } from "react-hook-form";

// Import the createSubOrganization server action
import { createSubOrganization } from "./actions";

type TSubOrgFormData = {
email: string;
};

type TAttestation = {
credentialId: string;
clientDataJson: string;
attestationObject: string;
transports: (
| "AUTHENTICATOR_TRANSPORT_BLE"
| "AUTHENTICATOR_TRANSPORT_INTERNAL"
| "AUTHENTICATOR_TRANSPORT_NFC"
| "AUTHENTICATOR_TRANSPORT_USB"
| "AUTHENTICATOR_TRANSPORT_HYBRID"
)[];
};

export default function CreateSubOrganization() {
const { passkeyClient } = useTurnkey();

// Use form handler for suborg creation
const { register: subOrgFormRegister, handleSubmit: subOrgFormSubmit } =
useForm<TSubOrgFormData>();

// Maintain state
const [createSubOrganizationResponse, setCreateSubOrganizationResponse] =
useState(null);

const createNewPasskey = async () => {
const credential = await passkeyClient?.createUserPasskey({
publicKey: {
// This is the name of the passkey that will be displayed to the user
rp: {
name: "Wallet Passkey",
},
user: {
// We can use the username as the name and display name
name: "Default User Name",
displayName: "Default User Name",
},
},
});

// we'll use this credential in the next step to create a new sub-organization
return credential;
};

const createSubOrg = async (data: TSubOrgFormData) => {
const { encodedChallenge: challenge, attestation } =
await createNewPasskey();

const createSubOrganizationResponse = await createSubOrganization(
data.email,
challenge,
attestation,
);

setCreateSubOrganizationResponse(createSubOrganizationResponse);
};

return (
<div>
{createSubOrganizationResponse ? (
<h2>You've created a sub-organization!</h2>
) : (
<form onSubmit={subOrgFormSubmit(createSubOrg)}>
<label>
Email
<input {...subOrgFormRegister("email")} placeholder="User Email" />
</label>
<input type="submit" value="Create new sub-organization" />
</form>
)}
</div>
);
}

Examples

A few mini examples where sub-orgs are created with passkeys, see the following: