@contensis/personalization-react v1.0.0-beta.0
@contensis/personalization-react 
Provides a context wrapper, hooks and components to easily leverage personalization with Contensis in your React projects
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-react
yarn add --save @contensis/personalization-react
Configuration
\<PersonalizationProvider \/> component
Wrap your "App
" root component with a PersonalizationProvider
import { StrictMode } from "react";
import { createRoot } from "react-dom/client";
import { PersonalizationProvider } from "@contensis/personalization-react";
import { MainLayout } from "./App";
// Our React App
const App = () => {
return (
<div className="content">
<PersonalizationProvider alias="example" projectId="website">
<MainLayout />
</PersonalizationProvider>
</div>
);
};
// Render the App
createRoot(document.getElementById("root") as HTMLElement).render(
<StrictMode>
<App />
</StrictMode>
);
Personalize content variations
\<Personalize \/> component
A typical React component that renders a content Entry might look like this
The ExampleHomePage
component renders a logo and the title from the Entry, then a HeroBanner
component is fed props from the contents of the hero
field
import React from "react";
import HeroBanner from "~/components/hero/HeroBanner";
import Link from "~/components/link/link.component";
type HeroBannerProps = {
audiences: string[];
heading: string;
leadIn: string;
backgroundImageUrl?: string;
};
type ExampleHomePageEntry = {
title: string;
hero: HeroBannerProps;
personalizedHero: HeroBannerProps[];
};
const ExampleHomePage = (entry: ExampleHomePageEntry) => {
return (
<div className="wrapper">
<div className="logo">
<Link path="/">
<h1 className="sr-only">Example web app</h1>
<Logo />
</Link>
<h1>{entry.title}</h1>
</div>
{/* Render HeroBanner props from the `hero` field */}
<HeroBanner {...entry.hero} />
</div>
);
};
export default ExampleHomePage;
After updating the ExampleHomePage
component to include the additional personalizedHero
prop from the content Entry.
import React from "react";
import { Personalize } from "@contensis/personalization-react";
import HeroBanner from "~/components/hero/HeroBanner";
import Link from "~/components/link/link.component";
const ExampleHomePage = (entry: ExampleHomePageEntry) => {
return (
<div className="wrapper">
<div className="logo">
<Link path="/">
<h1 className="sr-only">Example web app</h1>
<Logo />
</Link>
<h1>{entry.title}</h1>
</div>
<Personalize
defaultContent={entry.hero}
render={HeroBanner}
variants={entry.personalizedHero}
/>
</div>
);
};
export default ExampleHomePage;
- Replace component
<HeroBanner>
with<Personalize>
component variants
prop is the repeating component Entry datarender
prop or JSX children is the component(s) for rendering the personalized variant
One content variant will be chosen based on the current visitor's active audiences
If the current visitor is not a member of any audiences in the variants
array, the component will pick the default variant to render from either
- the
defaultContent
prop - a default variant from the
variants
array (the first variant with no audiences defined)
The chosen variant will be provided to the render
component (or JSX children) with render props for a single variant of the component - the same as if the component was being rendered with regular, non-personalized content (as in the previous example).
Personalize anything
usePersonalizationContext
hook can be called in any component and will return properties and functions we can use when personalizing parts of your application
IsAudience
import React from "react";
import { usePersonalizationContext } from "@contensis/personalization-react";
const VisitorSpecificBanner = () => {
const { isAudience } = usePersonalizationContext();
// isAudience returns true if any of the supplied
// audience Ids have been made active
return isAudience(["returningVisitor"]) ? (
<div className="wrapper">
Additional information for returning visitors!
</div>
) : null;
};
export default VisitorSpecificBanner;
Active audiences
import React from "react";
import { usePersonalizationContext } from "@contensis/personalization-react";
const VisitorSpecificBanner = () => {
const { audiences } = usePersonalizationContext();
// Look for a specific audience the visitor has activated
const isReturningVisitor = audiences.includes("returningVisitor");
return isReturningVisitor ? (
<div className="wrapper">
Additional information for returning visitors!
</div>
) : null;
};
export default VisitorSpecificBanner;
Active signals
import React from "react";
import { usePersonalizationContext } from "@contensis/personalization-react";
const VisitorSpecificBanner = () => {
const { signals } = usePersonalizationContext();
// Look for a specific signal the visitor has activated
const isReturningVisitor = signals.includes("returningVisitor");
return isReturningVisitor ? (
<div className="wrapper">
Additional information for returning visitors!
</div>
) : null;
};
export default VisitorSpecificBanner;
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
const { setAttributes } = usePersonalizationContext();
/** Manage search input state */
const [searchInput, setSearchInput] = useState("");
/** Sets the attribute `custom.searchQuery` */
const handleSearchSubmit = (value = searchInput) => {
/** We can call `setAttributes` any time we have captured
* the value(s) to use for the custom attribute(s) */
setAttributes({
searchQuery: value,
});
};
return (
<div>
<input
id="searchInput"
type="text"
placeholder={"Search"}
value={searchInput}
onChange={(e) => {
setSearchInput(e.target.value);
}}
onKeyDown={(e) => {
// Submit on Enter key
if (e.key === "Enter") handleSearchSubmit(e.currentTarget.value);
}}
></input>
<button id="searchSubmit" onClick={() => handleSearchSubmit()}>
Search
</button>
</div>
);
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
const { getAttributes, overrideAttributes, setAttributes } = usePersonalizationContext();
/** Set custom attributes `searchQuery`, `lastSearchQuery` and `totalSearches` */
const handleSearchSubmit = (value = searchInput) => {
setAttributes({
searchQuery: value,
});
/** We can call `overrideAttributes` any time we wish
* to hold and maintain an attribute over time */
overrideAttributes({
"custom.lastSearchQuery": value,
/** We could maintain a counter of previous interactions
* Recall a previously set attribute with `getAttributes` and increment */
"custom.totalSearches": 1 + (getAttributes('custom.totalSearches') || 0);
});
};
Experiments
When running experiments (or A/B testing), similar to the <Personalize />
component, the <Experiment />
component will render one of a number of supplied content variants (experiments).
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
import React from "react";
import { Experiment } from "@contensis/personalization-react";
import LeadText from "~/components/lead/LeadText";
type ExampleHomePageEntry = {
title: string;
experiments: { lead: string; split: number }[];
};
const ExampleComponent = (entry: ExampleHomePageEntry) => {
return (
<div className="wrapper">
<Experiment experiments={entry.experiments}>
{(variant) => <LeadText {...variant} />}
</Experiment>
</div>
);
};
- Replace component
LeadText
withExperiment
component experiments
prop is the repeating component Entry datarender
prop or JSX children is the component(s) for rendering the correct variant
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)
- Set the
preview
property in thePersonalizationContext
totrue
- If the
preview
property is updated after thePersonalizationContext
has instantiated, alsoreset
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 in our components
import React from "react";
import { usePersonalizationContext } from "@contensis/personalization-react";
const ExampleComponent = () => {
// First get a handle on the `context` object
const { context } = usePersonalizationContext();
// examples are below
return <div>...</div>;
};
Reset all personalizations
return (
<div>
<button
id="reset"
onClick={() => {
context.reset();
}}
>
Reset personalizations
</button>
</div>
);
Reset the Manifest
Set the preview
flag and then reset the manifest to load the latest (unpublished) manifest version
// Manage checkbox state
const [isPreviewChecked, setIsPreviewChecked] = useState(context.preview);
return (
<div>
<label>
<input
id="isPreviewChecked"
type="checkbox"
checked={isPreviewChecked}
onChange={(event) => {
// Update the preview flag in the context
context.preview = event.target.checked;
// Reset the personalization manifest
context.reset({ manifest: true });
// Handle component state
setIsPreviewChecked(context.preview);
}}
/>
Preview manifest
</label>
</div>
);
Reset all Audiences / Signals
return (
<div>
<button
id="resetAudiences"
onClick={() => {
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 audiences
</button>
</div>
);
Reset all Attributes
Clears all custom and overridden attributes
return (
<div>
<button
id="resetAttributes"
onClick={() => {
context.reset({
attributes: true,
});
}}
>
Reset attributes
</button>
</div>
);
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.
5 months ago