OIDC
Contributors are welcomeoidc-provider is an OAuth 2.0 Authorization Server with OpenID Connect and many additional features and standards implemented.
Certification
Filip Skokan has certified that oidc-provider conforms to the following profiles of the OpenID Connect™ protocol
- OP Basic, Implicit, Hybrid, Config, Dynamic, Form Post, and 3rd Party-Init
- OP Front-Channel Logout, Back-Channel Logout, RP-Initiated Logout, and Session Management
- OP FAPI R/W MTLS and Private Key
OIDC compatibility
- For OIDC v7, use
@tsed/oidc-provider
v7.19 and under - For OIDC v8, use
@tsed/oidc-provider
v7.21 and higher
Since the v8, have changed the exported Provider (named by default) and the entire is under ESM convention, Ts.ED isn't able to maintain the v7 and v8 at the same time.
Features
Ts.ED provides decorators and services to create an OIDC provider with your Ts.ED application.
- Create interactions policies,
- Create views,
- Use adapters to connect oidc-provider with redis/mongo/etc...
- Automatically create jwks keys on startup
Installation
Before using the @tsed/oidc-provider
package, we need to install the oidc-provider module.
npm install --save oidc-provider
npm install --save @tsed/oidc-provider @tsed/jwks @tsed/adapters
yarn add oidc-provider
yarn add @tsed/oidc-provider @tsed/jwks @tsed/adapters
pnpm add oidc-provider
pnpm add @tsed/oidc-provider @tsed/jwks @tsed/adapters
bun add oidc-provider
bun add @tsed/oidc-provider @tsed/jwks @tsed/adapters
Then we need to follow these steps:
- Configure the oidc server,
- Create the Accounts provider
- Create the Interactions controller,
- Create our first Login interaction and views,
TIP
Select "OpenID Connect provider" upon initialization with the Ts.ED CLI and the following will be automatically generated.
Configuration
To use oidc-provider with Ts.ED it requires some other Ts.ED features to work properly.
- Adapters to manage database connection,
- Views to display pages.
Use tsed init yourApp
to create a TSed application and adjust Server.ts
:
import {Configuration} from "@tsed/di";
import {Accounts} from "./services/Accounts";
import {InteractionsCtrl} from "./controllers/oidc/InteractionsCtrl";
@Configuration({
httpPort: 8083,
mount: {
"/": [InteractionsCtrl]
},
adapters: {
lowdbDir: join(process.cwd(), "..", ".db"),
Adapter: FileSyncAdapter
},
oidc: {
// path: "/oidc",
Accounts: Accounts,
jwksPath: join(process.cwd(), "..", "..", "keys", "jwks.json"),
// allowHttpLocalhost: false, // by default. true in dev mode and false in production
clients: [
{
client_id: "client_id",
client_secret: "client_secret",
redirect_uris: ["http://localhost:3000"],
response_types: ["id_token"],
grant_types: ["implicit"],
token_endpoint_auth_method: "none"
}
],
claims: {
openid: ["sub"],
email: ["email", "email_verified"]
},
features: {
// disable the packaged interactions
devInteractions: {enabled: false},
encryption: {enabled: true},
introspection: {enabled: true},
revocation: {enabled: true}
}
},
views: {
root: `./views`,
extensions: {
ejs: "ejs"
}
}
})
class Server {}
Options
import type {Adapter} from "@tsed/adapters";
import type {Type} from "@tsed/core";
import type {JwksKeyParameters} from "@tsed/jwks";
import type {Configuration} from "oidc-provider";
import type {OidcAccountsMethods} from "./OidcAccountsMethods.js";
export interface OidcSettings extends Configuration {
/**
* force the secure cookie. By default, in dev mode it's disabled and in production it's enabled.
*/
secureCookies?: boolean;
/**
* Path on which the oidc-provider instance is mounted.
*/
path?: string;
/**
* Issuer URI. By default, Ts.ED create issuer with http://localhost:${httpPort}
*/
issuer?: string;
/**
* Path to store jwks keys.
*/
jwksPath?: string;
/**
* Generate jwks from given certificates
*/
certificates?: JwksKeyParameters[];
/**
* Secure keys.
*/
secureKey?: string[];
/**
* Enable proxy.
*/
proxy?: boolean;
/**
* Allow redirect_uri on HTTP protocol and localhost domain.
*/
allowHttpLocalhost?: boolean;
/**
* Injectable service to manage accounts.
*/
Accounts?: Type<OidcAccountsMethods>;
/**
* Injectable adapter to manage database connexion.
*/
Adapter?: Type<Adapter>;
/**
* Use the connection name for the OIDCRedisAdapter.
*/
connectionName?: string;
plugins?: TsED.OIDCPluginSettings;
render?: {
/**
* By default ["clientSecret"] is omitted
*/
omitClientProps?: string[];
};
}
declare global {
namespace TsED {
interface OIDCPluginSettings {}
interface Configuration {
oidc: OidcSettings;
}
}
}
Documentation on other options properties can be found on the oidc-provider documentation page.
WARNING
It is advised to set path
to /oidc
to prevent oidc-provider becoming the default exception handler on all routes. In future versions of Ts.ED this will be the default value.
Use Redis 6.129.0+
Ts.ED provide a Redis adapter for OIDC provider. You just have to install @tsed/adapters-redis
and configure a redis connection to store all OIDC provider data in Redis.
npm i --save @tsed/redis-adapters @tsed/ioredis ioredis
npm i --save-dev ioredis-mock
yarn add @tsed/redis-adapters @tsed/ioredis ioredis
yarn add -D ioredis-mock
pnpm add @tsed/redis-adapters @tsed/ioredis ioredis
pnpm add -D ioredis-mock
bun add @tsed/redis-adapters @tsed/ioredis ioredis
bun add -D ioredis-mock
Then create a new RedisConnection.ts
for your new redis connection:
import Redis from "ioredis";
import {registerConnectionProvider} from "@tsed/ioredis";
export const REDIS_CONNECTION = Symbol.for("REDIS_CONNECTION");
export type REDIS_CONNECTION = Redis;
registerConnectionProvider({
provide: REDIS_CONNECTION,
name: "default" // you can change this name at your conveniance
});
Note
You can find more details on @tsed/ioredis documentation.
Then edit the Server settings:
import {OIDCRedisAdapter, RedisAdapter} from "@tsed/adapters-redis";
import {Configuration} from "@tsed/di";
import {Accounts} from "./services/Accounts";
import {InteractionsCtrl} from "./controllers/oidc/InteractionsCtrl";
@Configuration({
httpPort: 8083,
mount: {
"/": [InteractionsCtrl]
},
redis: [
{
name: "default"
// add redis configuration
}
],
adapters: {
Adapter: RedisAdapter,
connectionName: "default"
},
oidc: {
Adapter: OIDCRedisAdapter,
connectionName: "default"
/// other options
}
})
export class Server {}
That all!
Allow HTTP & localhost
By default, Ts.ED enable HTTP and localhost domain as a valid redirect uri for your OIDC project. But, sometimes you want to allow also HTTP and localhost domain in your integration
or QA
environment.
@Configuration({
oidc: {
allowHttpLocalhost: true
}
})
Secure cookies
By default, Ts.ED disable the secureCookies options in development
mode and enable it in production
mode. But, sometimes this options in integration
environment because your server isn't under a Https protocol.
@Configuration({
oidc: {
secureCookies: false
}
})
TLS proxy
The OpenID Connect specification does not allow unsecured HTTP requests and oidc-provider blocks them by default. While there is a workaround, the proper way is to use a TLS offloading proxy in front of your app. When developing, the easiest way is to use Caddy. To use it, set proxy: true
in your options and then run:
caddy reverse-proxy --from localhost:8443 --to localhost:8083
Accounts
oidc-provider requires an Account model to find an account during an interaction. The model can be used in conjunction with the adapter to fetch an account.
import {Email, Name, Property} from "@tsed/schema";
export class Account {
@Name("id")
_id: string;
@Email()
email: string;
@Property()
@Name("email_verified")
emailVerified: boolean;
[key: string]: unknown;
get accountId() {
return this._id;
}
claims() {
return Promise.resolve({
sub: this._id,
email: this.email,
email_verified: this.emailVerified
});
}
}
import {Adapter, InjectAdapter} from "@tsed/adapters";
import {Injectable} from "@tsed/di";
import {deserialize} from "@tsed/json-mapper";
import {AccessToken, AuthorizationCode, DeviceCode, OidcAccountsMethods} from "../../../src/index.js";
import {Account} from "../models/Account.js";
@Injectable()
export class Accounts implements OidcAccountsMethods {
@InjectAdapter("accounts", Account)
adapter: Adapter<Account>;
async $onInit() {
const accounts = await this.adapter.findAll();
if (!accounts.length) {
await this.adapter.create(
deserialize(
{
email: "test@test.com",
emailVerified: true
},
{useAlias: false}
)
);
}
}
findAccount(id: string, token: AuthorizationCode | AccessToken | DeviceCode | undefined) {
return this.adapter.findById(id);
}
authenticate(email: string, password: string) {
return this.adapter.findOne({email});
}
}
TIP
Claims method is used by oidc-provider to expose this information in the userInfo endpoint.
TIP
We use the $onInit
hook to create the first account automatically. You can adapt the script to your needs.
Interactions
Interactions are the user flows in oidc-provider. For example, the login page is considered by oidc-provider as an interaction. We can define many interactions during the authentication flow, for example:
- Login,
- E-mail verification,
- Password recovery,
- Sharing account data consent,
- etc.
To have a working OIDC server with Ts.ED, we need to create at least a login and a consent interaction. To start, we have to create the Interactions
controller which will be responsible to run all of our future custom interactions.
In your controller's directory, create the oidc/InteractionsCtrl.ts
file and copy the following code:
import {PathParams} from "@tsed/platform-params";
import {Get, Name} from "@tsed/schema";
import {Interactions, OidcCtx} from "../../../../src/index.js";
import {AbortInteraction} from "../../interactions/AbortInteraction.js";
import {ConsentInteraction} from "../../interactions/ConsentInteraction.js";
import {CustomInteraction} from "../../interactions/CustomInteraction.js";
import {LoginInteraction} from "../../interactions/LoginInteraction.js";
@Name("Oidc")
@Interactions({
path: "/interaction/:uid",
// this list define the priority of each interaction!
children: [LoginInteraction, ConsentInteraction, CustomInteraction, AbortInteraction]
})
export class InteractionsCtrl {
@Get("/:interaction?")
prompt(@PathParams("interaction") interaction: string, @OidcCtx() oidcCtx: OidcCtx) {
return oidcCtx.runInteraction(interaction);
}
}
Note
The controller Interactions exposes the routes to display any interaction. Here we expose the route GET /interation/:uid
The uid
is the unique session id used by oidc-provider to identify the current user flow.
Note
children
option define the priority order of each interaction. In our example, LoginInteraction have a priority over ContentInteraction, CustomInteraction and AbortInteraction. Changing order her may affect the interaction behavior when the /authorize
endpoint is called by the consumer.
Another possibility is to define priority
option on Interaction decorator. In this case, the children
order won't be had an effect on the interaction priority.
Now that we have our interaction controller, we can create our first interaction.
Create a new directory interactions
. We will store all custom interactions in this directory.
import {Env} from "@tsed/core";
import {Constant, Inject} from "@tsed/di";
import {BodyParams} from "@tsed/platform-params";
import {Name, Post, View} from "@tsed/schema";
import {Interaction, InteractionMethods, OidcCtx, OidcSession, Params, Prompt, Uid} from "../../../src/index.js";
import {Accounts} from "../services/Accounts.js";
@Interaction({
name: "login",
requestable: true
})
@Name("Oidc")
export class LoginInteraction implements InteractionMethods {
@Constant("env")
env: Env;
@Inject()
accounts: Accounts;
$onCreate() {}
@View("login")
async $prompt(
@OidcCtx() oidcCtx: OidcCtx,
@Prompt() prompt: Prompt,
@OidcSession() session: OidcSession,
@Params() params: Params,
@Uid() uid: Uid
): Promise<any> {
await oidcCtx.checkClientId();
return oidcCtx.interactionPrompt({
title: "Sign-in",
flash: false
});
}
@Post("/login")
@View("login")
async submit(@BodyParams() payload: any, @OidcCtx() oidcCtx: OidcCtx) {
oidcCtx.checkInteractionName("login");
const account = await this.accounts.authenticate(payload.email, payload.password);
if (!account) {
return oidcCtx.interactionPrompt({
params: {
login_hint: payload.email
},
title: "Sign-in",
flash: "Invalid email or password."
});
}
return oidcCtx.interactionFinished({
login: {
accountId: account.accountId
}
});
}
}
import {Inject} from "@tsed/di";
import {Name, Post, View} from "@tsed/schema";
import {Interaction, InteractionMethods, OidcCtx, OidcProvider, Prompt} from "../../../src/index.js";
@Interaction({
name: "consent",
requestable: true
})
@Name("Oidc")
export class ConsentInteraction implements InteractionMethods {
@Inject()
oidc: OidcProvider;
@View("interaction")
async $prompt(@OidcCtx() oidcCtx: OidcCtx): Promise<any> {
const account = await oidcCtx.findAccount();
return oidcCtx.interactionPrompt({
title: "Authorize",
account,
flash: false
});
}
@Post("/confirm")
async confirm(@OidcCtx() oidcCtx: OidcCtx, @Prompt() prompt: Prompt) {
oidcCtx.checkInteractionName("consent");
const grant = await oidcCtx.getGrant();
const details = prompt.details as {
missingOIDCScope: string[];
missingResourceScopes: Record<string, string[]>;
missingOIDClaims: string[];
};
const {missingOIDCScope, missingOIDClaims, missingResourceScopes} = details;
if (missingOIDCScope) {
grant.addOIDCScope(missingOIDCScope.join(" "));
// use grant.rejectOIDCScope to reject a subset or the whole thing
}
if (missingOIDClaims) {
grant.addOIDCClaims(missingOIDCScope);
// use grant.rejectOIDCClaims to reject a subset or the whole thing
}
if (missingResourceScopes) {
for (const [indicator, scopes] of Object.entries(missingResourceScopes)) {
grant.addResourceScope(indicator, scopes.join(" "));
// use grant.rejectResourceScope to reject a subset or the whole thing
}
}
const grantId = await grant.save();
const consent: any = {};
if (!oidcCtx.grantId) {
// we don't have to pass grantId to consent, we're just modifying existing one
consent.grantId = grantId;
}
return oidcCtx.interactionFinished({consent}, {mergeWithLastSubmission: true});
}
}
import {Inject} from "@tsed/di";
import {View} from "@tsed/platform-views";
import {Name} from "@tsed/schema";
import {Interaction, InteractionMethods, OidcCtx, OidcProvider} from "../../../src/index.js";
@Interaction({
name: "abort"
})
@Name("Oidc")
export class AbortInteraction implements InteractionMethods {
@Inject()
oidc: OidcProvider;
@View("interaction")
$prompt(@OidcCtx() oidcCtx: OidcCtx): Promise<any> {
return oidcCtx.interactionFinished(
{
error: "access_denied",
error_description: "End-User aborted interaction"
},
{
mergeWithLastSubmission: false
}
);
}
}
TIP
$prompt
is a special hook called by your Interactions controller.
At this step, you can start the OIDC server and check the logs server to see if the well-known configuration has been correctly exposed:
[2021-01-04T07:35:31.523] [INFO ] [TSED] - WellKnown is available on http://0.0.0.0:8083/.well-known/openid-configuration
Try also to open the link in your browser!
Now, we need to add the Views to display our login page. Create a views directory on root level and create the following files:
<%- include('partials/header.ejs') %>
<body>
<div class="login-card">
<h1><%= title %></h1>
<%- include('forms/login-form.ejs') %>
<%- include('partials/login-help.ejs') %>
</div>
<%- include('partials/footer.ejs') %>
</body>
</html>
<% if (flash) { %>
<p><%= flash %></p>
<% } %>
<form autocomplete="off" action="/interaction/<%= uid %>/login" method="post">
<input required type="email" name="email" placeholder="Enter an email" <% if (!params.login_hint) { %>autofocus="on"<% } else { %> value="<%= params.login_hint %>" <% } %>>
<input required type="password" name="password" placeholder="and password" <% if (params.login_hint) { %>autofocus="on"<% } %>>
<button type="submit" class="login login-submit">Sign-in</button>
</form>
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1, shrink-to-fit=no">
<meta http-equiv="x-ua-compatible" content="ie=edge">
<title>Sign-in</title>
<style>
@import url(https://fonts.googleapis.com/css?family=Roboto:400,100);
body {
font-family: 'Roboto', sans-serif;
margin-top: 25px;
margin-bottom: 25px;
}
.login-card {
padding: 40px;
padding-top: 0px;
padding-bottom: 10px;
width: 274px;
background-color: #F7F7F7;
margin: 0 auto 10px;
border-radius: 2px;
box-shadow: 0px 2px 2px rgba(0, 0, 0, 0.3);
overflow: hidden;
}
.login-card + .login-card {
padding-top: 10px;
}
.login-card h1 {
font-weight: 100;
text-align: center;
font-size: 2.3em;
}
.login-card [type=submit] {
width: 100%;
display: block;
margin-bottom: 10px;
position: relative;
}
.login-card input[type=text], input[type=email], input[type=password] {
height: 44px;
font-size: 16px;
width: 100%;
margin-bottom: 10px;
-webkit-appearance: none;
background: #fff;
border: 1px solid #d9d9d9;
border-top: 1px solid #c0c0c0;
padding: 0 8px;
box-sizing: border-box;
-moz-box-sizing: border-box;
}
.login {
text-align: center;
font-size: 14px;
font-family: 'Arial', sans-serif;
font-weight: 700;
height: 36px;
padding: 0 8px;
}
.login-submit {
border: 0px;
color: #fff;
text-shadow: 0 1px rgba(0,0,0,0.1);
background-color: #4d90fe;
}
.google-button {
height: 40px;
border-width: 0;
background: white;
color: #737373;
border-radius: 5px;
white-space: nowrap;
box-shadow: 1px 1px 0px 1px rgba(0,0,0,0.05);
transition-property: background-color, box-shadow;
transition-duration: 150ms;
transition-timing-function: ease-in-out;
padding: 0;
&:focus,
&:hover {
box-shadow: 1px 4px 5px 1px rgba(0,0,0,0.1);
}
&:active {
background-color: #e5e5e5;
box-shadow: none;
transition-duration: 10ms;
}
}
.google-button__icon {
display: inline-block;
vertical-align: middle;
margin: 8px 0 8px 8px;
width: 18px;
height: 18px;
box-sizing: border-box;
}
.google-button__icon--plus {
width: 27px;
}
.google-button__text {
display: inline-block;
vertical-align: middle;
padding: 0 24px;
font-size: 14px;
font-weight: bold;
font-family: 'Roboto',arial,sans-serif;
}
.login-card a {
text-decoration: none;
color: #666;
font-weight: 400;
text-align: center;
display: inline-block;
opacity: 0.6;
}
.login-help {
color: #666;
width: 100%;
text-align: center;
font-size: 12px;
}
.login-client-image img {
margin-bottom: 20px;
display: block;
margin-left: auto;
margin-right: auto;
width: 20%;
}
.login-card input[type=checkbox] {
margin-bottom: 10px;
}
.login-card label {
color: #999;
}
.grant-debug {
text-align: center;
font-family: Fixed, monospace;
width: 100%;
font-size: 12px;
color: #999;
}
.grant-debug div {
padding-top: 10px;
}
.login-help + form {
margin-top: 10px;
}
ul {
font-weight: 100;
padding-left: 1em;
list-style-type: circle;
}
li + ul, ul + li, li + li {
padding-top: 0.3em;
}
button {
cursor: pointer;
}
</style>
</head>
<div class="grant-debug">
<details>
<summary style="text-align: center;">(Click to expand) DEBUG information</summary>
<div>
<strong>uid</strong>: <%= uid %>
</div>
<% if (session) { %>
<div>
SESSION <br>
========= <br>
<%- session %>
</div>
<% } %>
<div>
PARAMS <br>
======== <br>
<%- dbg.params %>
</div>
<div>
PROMPT <br>
======== <br>
<%- dbg.prompt %>
</div>
</details>
</div>
<div class="login-help">
<a href="/interaction/<%= uid %>/custom">[ Booking sign-in ]</a><br />
<a href="/interaction/<%= uid %>/abort">[ Cancel ]</a>
<% if (client.tosUri) { %>
<a href="<%= client.tosUri %>">[ Terms of Service ]</a>
<% } %>
<% if (client.policyUri) { %>
<a href="<%= client.policyUri %>">[ Privacy Policy ]</a>
<% } %>
</div>
The login page is ready to be displayed. To test it, open the following link:
http://localhost:8083/auth?client_id=client_id&response_type=id_token&scope=openid&nonce=foobar&redirect_uri=http://localhost:3000
Create custom interaction
Here a custom interaction with extra methods to configure checks precondition and details information:
import {Env} from "@tsed/core";
import {Constant} from "@tsed/di";
import {Name, View} from "@tsed/schema";
import {interactionPolicy, KoaContextWithOIDC} from "oidc-provider";
import {Interaction, InteractionMethods, OidcCtx, OidcSession, Params, Prompt, Uid} from "../../../src/index.js";
import Check = interactionPolicy.Check;
@Interaction({
name: "custom",
requestable: true
})
@Name("Oidc")
export class CustomInteraction implements InteractionMethods {
@Constant("env")
env: Env;
$onCreate() {}
/**
* return checks conditions. See: https://github.com/panva/node-oidc-provider/blob/main/docs/README.md#interactionspolicy
*/
checks() {
return [
new Check("no_session", "End-User authentication is required", (ctx) => {
const {oidc} = ctx;
if (oidc.session?.accountId) {
// @ts-ignore
return Check.NO_NEED_TO_PROMPT;
}
// @ts-ignore
return Check.REQUEST_PROMPT;
})
];
}
/**
* return checks conditions. See: https://github.com/panva/node-oidc-provider/blob/main/docs/README.md#interactionspolicy
*/
details(ctx: KoaContextWithOIDC) {
const {oidc} = ctx;
return {
...(oidc.params?.max_age === undefined ? undefined : {max_age: oidc.params.max_age}),
...(oidc.params?.login_hint === undefined ? undefined : {login_hint: oidc.params.login_hint}),
...(oidc.params?.id_token_hint === undefined ? undefined : {id_token_hint: oidc.params.id_token_hint})
};
}
@View("custom")
async $prompt(
@OidcCtx() oidcCtx: OidcCtx,
@Prompt() prompt: Prompt,
@OidcSession() session: OidcSession,
@Params() params: Params,
@Uid() uid: Uid
): Promise<any> {
await oidcCtx.checkClientId();
return oidcCtx.interactionPrompt({
title: "Sign-in Custom",
flash: false
});
}
}
See more details on: https://github.com/panva/node-oidc-provider/blob/main/docs/README.md#interactionspolicy
Alter configuration
Some part of the OIDC provider configuration needs function to work. And ideally these functions should have access to our Ts.ED Services.
It's possible to do that by listening the $alterOidcConfiguration
hook and inject the expected functions in the configuration:
import {PlatformContext} from "@tsed/platform-http";
import {InjectContext, Module} from "@tsed/di";
import {AuthorizationCode, BackchannelAuthenticationRequest, DeviceCode, RefreshToken, Client, OidcSettings} from "@tsed/oidc-provider";
import {KoaContextWithOIDC, Provider, ResourceServer} from "oidc-provider";
@Module()
class OidcResourceIndicatorsModule {
@InjectContext()
protected $ctx: PlatformContext; // retrieve the Ts.ED context
async $alterOidcConfiguration(config: OidcSettings): Promise<OidcSettings> {
// example with the
config.features!.resourceIndicators = {
enabled: true,
defaultResource: this.defaultResource.bind(this),
getResourceServerInfo: this.getResourceServerInfo.bind(this),
useGrantedResource: this.useGrantedResource.bind(this)
};
return config;
}
protected async defaultResource(ctx: KoaContextWithOIDC): Promise<string | string[]> {
///
return "https://mydomain.com";
}
protected async getResourceServerInfo(ctx: KoaContextWithOIDC, resourceIndicator: string, client: Client): Promise<ResourceServer> {
///
return {};
}
protected async useGrantedResource(
ctx: KoaContextWithOIDC,
model: AuthorizationCode | RefreshToken | DeviceCode | BackchannelAuthenticationRequest
): Promise<boolean> {
return true;
}
}
Alter OIDC policy
Ts.ED emits a special $alterOidcPolicy
event when @tsed/oidc-provider links interactions with OIDC policy. You can change the policy configuration by adding $alterOidcPolicy
on InteractionsCtrl:
import {Get} from "@tsed/schema";
import {PathParams} from "@tsed/platform-params";
import {Interactions, OidcCtx, DefaultPolicy} from "@tsed/oidc-provider";
import {LoginInteraction} from "../../interactions/LoginInteraction";
@Interactions({
path: "/interaction/:uid",
children: [
LoginInteraction // register its children interations
]
})
export class InteractionsCtrl {
@Get("/:name?")
async promptInteraction(@PathParams("name") name: string | undefined, @OidcCtx() oidcCtx: OidcCtx) {
return oidcCtx.runInteraction(name);
}
$alterOidcPolicy(policy: DefaultPolicy) {
// do something
return policy;
}
}
Implement your own adapter
import {OidcAdapterMethods} from "@tsed/oidc-provider";
import {Adapter} from "@tsed/adapters";
export class CustomAdapter<Model extends AdapterModel> extends Adapter<Model> implements OidcAdapterMethods {
//
// implement all required methods
//
create(value: Partial<Omit<Model, "_id">>, expiresAt?: Date): Promise<Model> {}
update(id: string, value: Model, expiresAt?: Date): Promise<Model | undefined> {}
updateOne(predicate: Partial<Model>, value: Partial<Model>, expiresAt?: Date): Promise<Model | undefined> {}
upsert(id: string, value: Model, expiresAt?: Date): Promise<Model> {}
findOne(predicate: Partial<Model>): Promise<Model | undefined> {}
findById(id: string): Promise<Model | undefined> {}
findAll(predicate?: Partial<Model>): Promise<Model[]> {}
deleteOne(predicate: Partial<Model>): Promise<Model | undefined> {}
deleteMany(predicate: Partial<Model>): Promise<Model[]> {}
deleteById(id: string): Promise<Model | undefined> {}
//
// if you use redis implement also the following methods
//
async findByUserCode(userCode: string) {}
async findByUid(uid: string) {}
async destroy(id: string) {}
async revokeByGrantId(grantId: string) {}
async consume(grantId: string) {}
}
TIP
You can find original adapters from oidc-provider project here: https://github.com/panva/node-oidc-provider/blob/main/example/adapters
Debug
Use DEBUG=oidc-provider:*
for debugging oidc-provider.
Support oidc-provider
If you or your business uses oidc-provider, please consider becoming a sponsor, so we can continue maintaining it and adding new features carefree.