npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

auth0-extension-tools

v1.5.2

Published

A set of tools and utilities to simplify the development of Auth0 Extensions.

Downloads

23,197

Readme

Auth0 Extension Tools

A set of tools and utilities to simplify the development of Auth0 Extensions.

Usage

const tools = require('auth0-extension-tools');

Auth0 Management API

These are helpers that make it easy to get an access token for the Management API or to get an instance of the node-auth0 client:

tools.managementApi.getAccessToken('me.auth0.com', 'myclient', 'mysecret2')
  .then(function(token) {
    // Call the Management API with this token.
  });

// This will cache the token for as long as the access token is valid.
tools.managementApi.getAccessTokenCached('me.auth0.com', 'myclient', 'mysecret2')
  .then(function(token) {
    // Call the Management API with this token.
  });

tools.managementApi.getClient({ domain: 'me.auth0.com', accessToken: 'ey...' })
  .then(function(client) {
    // Use the client...
    client.users.getAll(function(users) {

    })
  });

// This will cache the token for 1h. A new client is returned each time.
tools.managementApi.getClient({ domain: 'me.auth0.com', clientId: 'myclient', clientSecret: 'mysecret' })
  .then(function(client) {
    // Use the client...
    client.users.getAll(function(users) {

    })
  });

Config

These are helpers that will make it easy to work with environment variables, nconf (when running locally), Webtask data/secrets, ...

A config provider is basically a function that looks like this:

function configProvider(key) {
  if (key === 'foo') {
    return // the value for foo.
  }
}

This is already implemented by nconf.get for example. Eg:

nconf
  .argv()
  .env()
  .file(path.join(__dirname, './server/config.json'));

nconf.get('foo') // Returns the value from foo.

The following helper will turn the Webtask context object (which is what you get when the request runs in Webtask) into a config provider:

const provider = configProvider.fromWebtaskContext(req.webtaskContext);
provider('HOSTING_ENV') // This will give you 'webtask' by default.
provider('some_setting') // This will come from the Webtask params or secrets.

When an extension starts, you can then create a config object, initialize it with a config provider and then use it throughout your extension. Eg:

const provider = tools.configProvider.fromWebtaskContext(req.webtaskContext);

const config = tools.configFactory();
config.setProvider(provider);

const mySetting = config('some_setting');

Errors

The following errors are also available (in case you need to throw or handle specific errors):

const tools = require('auth0-extension-tools');
tools.ArgumentError
tools.HookTokenError
tools.ManagementApiError
tools.NotFoundError
tools.ValidationError

Hooks

When an extension is installed/updated/uninstalled a token will be sent during the Webhook request to make sure it comes from the portal. Here's how such a token can be validated:

try {
  const path = './extension/uninstall';

  validateHookToken('me.auth0.com', WT_URL, path, EXTENSION_SECRET, token);
} catch (e) {
  // e will be a HookTokenError
}

Storage

A storage context allows you to read and write data. For local development and stateful environments you can use the file storage context which you can initialize with a path and default data (if new).

The mergeWrites option allows you to just send changes to the file (similar to a PATCH).

const storage = new tools.FileStorageContext(path.join(__dirname, './data.json'), { mergeWrites: true, defaultData: { foo: 'bar' } });
storage.read()
  .then(function(data) {
    console.log(data);
  });

storage.write({ foo: 'other-bar' })
  .then(function() {
    console.log('Done');
  });

When running in a Webtask, the request will expose a Webtask storage object, for which you can also create a context. When initializing the Webtask storage context you can provide it with the storage object, the options object (in which you enable force to bypass concurrency checks) and default data (if new).

const storage = new tools.WebtaskStorageContext(req.webtaskContext.storage, { force: 1 }, { foo: 'bar' });
storage.read()
  .then(function(data) {
    console.log(data);
  });

storage.write({ foo: 'other-bar' })
  .then(function() {
    console.log('Done');
  });

Records

A record provider exposes CRUD capabilities which makes it easy to interact with records from an Extension (eg: delete a record, update a record, ...). Depending on the underlying storage you may or may not have support for concurrency.

This library exposes a Blob record provider, which does not support concurrency. For each operation it will read a file, apply the change (eg: delete a record) and then write the full file again.

const db = new tools.BlobRecordProvider(someStorageContext, {
  concurrentWrites: false // Set this to true to support parallel writes. You might loose some data in this case.
});

db.getAll('documents')
  .then(function (documents) {
    console.log('All documents:', documents);
  });

db.get('documents', '12345')
  .then(function (doc) {
    console.log('Document:', doc);
  });

db.create('documents', { name: 'my-foo.docx' })
  .then(function (doc) {
    console.log('Document:', doc);
  });

db.create('documents', { _id: 'my-custom-id', name: 'my-foo.docx' })
  .then(function (doc) {
    console.log('Document:', doc);
  });

// Update document with id 1939393
db.update('documents', 1939393, { name: 'my-foo.docx' })
  .then(function (doc) {
    console.log('Document:', doc);
  });

// Update document with id 1939393. If it doesn't exist, create it (upsert).
const upsert = true;
db.update('documents', 1939393, { name: 'my-foo.docx' }, upsert)
  .then(function (doc) {
    console.log('Document:', doc);
  });

db.delete('documents', 1939393)
  .then(function(hasBeenDeleted) {

  });

The use of local files, Webtask storage and S3 will cause concurrency problems because write operations in the BlobRecordProvider require a full read of the file, an update in the JSON object and then a full write. If multiple operations happen in parallel data might get lost because of this approach.

By setting concurrentWrites to false all writes will happen sequentially instead of in parallel to guarantee data consistency. This will reduce throughput to 1 concurrency write.

const db = new tools.BlobRecordProvider(someStorageContext, { concurrentWrites: false });

Start an Express Server.

Here's what you need to use as an entrypoint for your Webtask:

const tools = require('auth0-extension-tools');
const expressApp = require('./server');

module.exports = tools.createExpressServer(function(config, storage) {
  return expressApp(config, storage);
});

Then you can create your Express server like this:

module.exports = (config, storage) => {
  // 'config' is a method that exposes process.env, Webtask params and secrets
  console.log('Starting Express. The Auth0 domain which this is configured for:', config('AUTH0_DOMAIN'));

  // 'storage' is a Webtask storage object: https://webtask.io/docs/storage
  storage.get(function (error, data) {
    console.log('Here is what we currently have in data:', JSON.stringify(data, null, 2));
  });

  const app = new Express();
  app.use(bodyParser.json());
  app.use(bodyParser.urlencoded({ extended: false }));
  ...

  // Finally you just have to return the app here.
  return app;
};

Session Manager for Dashboard Administrators

When dashboard administrators login to an extension which has its own API the following is required:

  • The user needs a token to call the Extension API (an "API Token" or a session)
  • The Extension API needs the user's access token to call API v2

The session manager will create a local session for the user (the "API Token") and embed the access token for API v2 in the session.

The following snippet will generate the login URL to where the dashboard administrator needs to be redirected:

const nonce = generateNonceAndStoreInSession();
const state = generateStateAndStoreInSession();
const sessionManager = new tools.SessionManager('auth0.auth0.com', 'me.auth0.com', 'https://me.us.webtask.io/my-extension');
const url = sessionManager.createAuthorizeUrl({
  redirectUri: 'https://me.us.webtask.io/my-extension/login/callback',
  scopes: 'read:clients read:connections',
  expiration: 3600,
  nonce: nonce,
  state: state
});

After logging in the extension will receive an id token and access token which will be used to create a local session:

const options = {
  secret: 'my-secret',
  issuer: 'https://me.us.webtask.io/my-extension',
  audience: 'urn:my-ext-aud'
};

sessionManager.create(idToken, accessToken, options)
  .then(function(token) {
    ...
  });