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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@contensis/personalization

v1.0.0-beta.0

Published

Create personalized experiences with Contensis

Readme

Contensis @contensis/personalization NPM version

JavaScript TypeScript

Create a Personalization Context to easily leverage personalization with Contensis in your JavaScript projects.

If your project is built with React we recommend using the @contensis/personalization-react package instead

Prerequisites

Before we can see Personalization in action it is recommended we first ensure content is Personalized for different audiences

Familiarise yourself with the terminology by looking at how we determine audiences in order to personalize content

Installation

npm install --save @contensis/personalization
yarn add --save @contensis/personalization

Configuration

Two bundles are available for use:

  • dist/personalization.min.(m)js exports the core PersonalizationContext class to instantiate yourself
  • dist/personalization.browser.min.(m)js browser-specific bundle instantiates the PersonalizationContext with data attributes in the <script> tag

Browser bundle

Initialise a <script> tag and set the src attribute

  • set type="module" and load the ES module dist/personalization.browser.min.mjs
  • or, load the common js script dist/personalization.browser.min.js

You may wish to move these scripts to a place pertinent to your hosting requirement or reference the script directly from a public CDN such as unpkg

For example

<script
  type="module"
  src="https://unpkg.com/@contensis/personalization@latest/dist/personalization.browser.min.mjs"
></script>

Script attributes

Set data attributes in the above <script> tag to configure the Personalization Context.

Each attribute must be prefixed with data-contensis-personalization-.

For example, to set alias attribute it must be added to the <script> tag like this

<script data-contensis-personalization-alias="example" ...>

| Attribute | Type | Description | | ---------- | ------- | -------------------------------------------------------------- | | alias | string | Contensis Cloud alias for the project containing our Audiences | | project-id | string | API ID of the project containing our Audiences | | preview | boolean | Set true to request the latest (unpublished) Manifest | | root-url | string | Fetch the Manifest from a specific hostname | | debug | boolean | Set true to enable console logging |

Global attributes

Some attributes can be pre-set in the global / window context, this approach can ensure these attributes are set before the Personalization Context is initialized.

// Output console logs and extra info
window.CONTENSIS_PERSONALIZATION.debug = true;

// Use a manifest provided by the app
window.CONTENSIS_PERSONALIZATION.manifest = json;

| Attribute | Type | Description | | --------------- | ---------------------------------------------------------------------------------------------------------------------------------- | ----------------------------------------------------------------------------------------------------- | | manifest | Manifest | The complete Manifest to use in this personalization context. Used instead of alias and projectId | | debug | boolean | Set true to enable console logging | | onComputed | Function | Custom handler called each time signals and audiences are computed | | onInit | Function | Custom handler called one time when the Personalization Context is initialized | | onManifestReady | Function | Custom handler called each time a manifest has been loaded | | onNavigate | Function | Custom handler called each time the Personalization Context detects navigation within a SPA | | onPageView | Function | Custom handler called each time the Personalization Context has registered a Page View |

Personalize content

All functions require a handle on and are called from within the Personalization Context

Active audiences

const audiences: string[] = context.audiences.active;

Example find a personalized audience variant

const variants = [
  {
    audience: "exampleAudience",
    text: "Render example personalized content",
  },
  {
    audience: "testAudience",
    text: "Render variant personalized for test audience",
  },
];

const personalizedVariant = variants.find((variant) =>
  context.audiences.active.includes(variant.audience)
);

Example variants including a default variant

const variants = [
  { audience: "", text: "Render default text" },
  {
    audience: "testAudience",
    text: "Render variant personalized for test audience",
  },
];

const audiences: string[] = context.audiences.active;

const defaultVariant = variants.find((variant) => variant.audience === "");

const personalizedVariant = variants.find((variant) =>
  audiences.includes(variant.audience)
);

const render = personalizedVariant || defaultVariant;

Active signals

const signals: string[] = context.signals.active;

Custom Attributes

Custom attributes are configured in Contensis and can become part of the conditions to activate a signal

They allow developers to supply values produced within the app or provided by visitor actions for consideration when calculating signal and audience conditions

setAttributes

Supply one or more custom attributes and then perform signal and audience calculations

<html>
  <head>
    <script
      type="module"
      src="https://unpkg.com/@contensis/personalization@latest/dist/personalization.browser.min.mjs"
      data-contensis-personalization-alias="example"
      data-contensis-personalization-project-id="website"
    ></script>
    <script>
      /** Set custom attribute `searchQuery` */
      const handleSearchSubmit = (context) => {
        const value = document.getElementById("searchInput").value;
        /** We can call `setAttributes` any time we have captured
         *  the value(s) to use for the custom attribute(s) */
        context.setAttributes({
          searchQuery: value,
        });
      };

      window.onload = function () {
        const { context } = CONTENSIS_PERSONALIZATION;
        /** Add search submit handlers to elements **/
        document
          .getElementById("searchInput")
          .addEventListener("keydown", (e) => {
            // Submit on Enter key
            if (e.key === "Enter") handleSearchSubmit(context);
          });
        document
          .getElementById("searchSubmit")
          .addEventListener("click", () => {
            handleSearchSubmit(context);
          });
      };
    </script>
  </head>
  <body>
    <div>
      <input id="searchInput" type="text" placeholder="Search" />
      <button id="searchSubmit">Search</button>
    </div>
  </body>
</html>

Attributes we have set will be calculated one time only

If our Manifest contains a signal that requires the above custom.searchQuery to match before it is activated, we can match and activate signals containing this condition at the time the search is performed and the value for the attribute has been set.

The attribute values are not stored and cannot be considered as a "previous" searchQuery in subsequent navigations or actions

overrideAttributes

Permanently set a value for the given attribute(s). The overridden value will be used in all subsequent signal and audience calculations, or until the personalization attributes are reset.

overrideAttributes can permanently set/override any of the signal attributes including built-in attributes. It may be useful to override a specific attribute with a specific value when debugging certain scenarios.

Following on from the previous example, if we wanted to hold and maintain the last input searchQuery, and consider this value in every signal and audience calculation going forward. We can use overrideAttributes instead.

overrideAttributes requires the fully qualified attribute key, exactly as would appear in the Manifest. For example custom.searchQuery or page.domain

/** Set custom attributes `searchQuery`, `lastSearchQuery` and `totalSearches` */
const handleSearchSubmit = () => {
  const { context } = CONTENSIS_PERSONALIZATION;
  const value = document.getElementById("searchInput").value;
  /** We can call `setAttributes` any time we have captured
   *  the value(s) to use for the custom attribute(s) */
  context.setAttributes({
    searchQuery: value,
  });

  /** We can call `overrideAttributes` any time we wish
   *  to hold and maintain an attribute over time */
  context.overrideAttributes({
    "custom.lastSearchQuery": value,
    /** We could maintain a counter of previous interactions
     *  Recall a previously set attribute with `getAttributes` and increment */
    "custom.totalSearches":
      1 + (context.getAttributes("custom.totalSearches") || 0),
  });
};

Complete example

Experiments

When running experiments (or A/B testing), similar to handling the personalized data, an experiment will render one of a number of supplied content variants.

Except we are not rendering personalized content based on active audiences, instead each variant (experiment) contains a number field between 0 and 100 that constitutes where the experiment variants are "split" between each randomly assigned "bucket".

Prerequisites

Example

<html>
  <head>
    <script
      type="module"
      src="https://unpkg.com/@contensis/personalization@latest/dist/personalization.browser.min.mjs"
      data-contensis-personalization-alias="example"
      data-contensis-personalization-project-id="website"
    ></script>
    <script>
      /** data: Hard-coded example entry for the demo */
      const entry = {
        lead: "Personalization in Contensis",
        experiments: [
          {
            split: 0,
            lead: "This content will be rendered for visitors randomly placed in the lower 10%",
          },
          {
            split: 10,
            lead: "This content will be rendered for visitors in the 10-50 percentile range",
          },
          {
            split: 50,
            lead: "This content will be rendered for visitors randomly placed in the top 50%",
          },
        ],
      };

      /** boilerplate: Pick from one of the experiments based on the
       * random bucket the visitor has been placed into */
      const pickExperiment = (experiments) => {
        // Sort the variants by the value of the "split" field
        // in descending order
        const variants = experiments.toSorted((e) => Number(e.split)).reverse();

        // Find the first variant in the sorted array that has a split
        // value less than the random percentile
        const experiment = variants.find(
          (e) => CONTENSIS_PERSONALIZATION.context.percentile >= Number(e.split)
        );

        // Return an experiment for the visitor bucket
        // or find a default variant
        return experiment || variants.find((e) => !e.split);
      };

      window.onload = function () {
        /** Render the entry data to elements */
        document.getElementById("title").innerHTML = entry.lead;
        document.getElementById("lead").innerHTML = pickExperiment(
          entry.experiments
        )?.lead;
      };
    </script>
  </head>
  <body>
    <div>
      <h1 id="title"></h1>
      <p id="lead"></p>
    </div>
  </body>
</html>

Complete example

FAQs

Check out some Frequently Asked Questions

Debugging

Debug flag

Output trace information in console logs showing actions performed by the Personalization Context

Set the debug property in the PersonalizationContext to true to output trace logs. Use "v" for verbose logging.

Use the Latest Manifest (unpublished / preview)

To test changes made to audiences and signals in Contensis prior to them being published, we can request the latest manifest version (instead of the default published version)

  1. Set the preview property in the PersonalizationContext to true
  2. If the preview property is updated after the PersonalizationContext has instantiated, also reset the manifest in the Personalization Context

Browser Window object reference

The personalization context can be examined or watched in the Console of the browser developer tools at any time from the browser's global scope

Type window.CONTENSIS_PERSONALIZATION.context into the browser developer tools Console window

Reset personalization

Manually reset personalization by deleting localStorage and sessionStorage in the browser developer tools for the current host.

Alternatively, we can manually reset personalization by running the reset() function in the browser console using the window object reference:

window.CONTENSIS_PERSONALIZATION.context.reset();

Or we can reset some or all personalization elements programatically

The reset function requires a handle on and is called from within the Personalization Context

Reset all personalizations

context.reset();

Reset the Manifest

Set the preview flag and then reset the manifest to load the latest (unpublished) manifest version

// Update the preview flag in the context
context.preview = true;

// Reset the personalization manifest
context.reset({ manifest: true });

Reset all Audiences / Signals

context.reset({
  audiences: true,
  // It makes sense to also reset signals
  // at the same time so we can avoid
  // immediately reactivating any audiences
  // via previously matched signals
  signals: true,
});

Reset all Attributes

Clears all custom and overridden attributes

context.reset({
  attributes: true,
});

License

This project is licensed under the ISC License. For detailed terms, please refer to the license file included in this repository.

Attribution

This project makes use of the following dependencies and data sources, which are governed by separate licenses:

1. caniuse-lite

The project indirectly utilizes data from caniuse-lite as part of its build tooling. The data, sourced from caniuse.com, is made available under the Creative Commons Attribution 4.0 International (CC BY 4.0) license. For more information, visit the repository.

2. spdx-exceptions

This project indirectly references the spdx-exceptions package as part of its build tooling. Portions of the data used are derived from version 2.0 of the SPDX specification, licensed under the Creative Commons Attribution 3.0 Unported (CC-BY-3.0) license. For details, see the repository.