Fetching a user profile
On this page
AI Personalization is a beta feature according to Algolia’s Terms of Service (“Beta Services”).
This guide shows how to fetch a user profile and provide its properties to the rest of your application.
Before you begin
This guide assumes that you have configured AI Personalization and are familiar with user profiles.
Fetch a user profile
The first step in fetching a user profile is to retrieve your user’s ID from where it’s stored (for example, your database).
If a user ID is unavailable (possibly because the user is a first-time visitor) or doesn’t correspond to an existing user profile, you can implement a fallback to avoid adding extra logic to your app.
The following example fetches the user profile, and provides a fallback if there’s a problem completing the request:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
const ALGOLIA_REGION = "eu";
async function fetchUserProfile(userID) {
const fallbackUserProfile = {
userID,
type: "basic",
affinities: [],
lastUpdatedAt: new Date().toISOString(),
};
try {
const response = await fetch(
`https://ai-personalization.${ALGOLIA_REGION}.algolia.com/2/users/${encodeURIComponent(userID)}`,
{
headers: {
"X-Algolia-Application-Id": "YourApplicationID",
"X-Algolia-API-Key": "YourWriteAPIKey",
},
}
);
if (!response.ok) {
const error = await response.text();
return fallbackUserProfile;
}
const userProfile = await response.json();
return userProfile;
} catch (error) {
return fallbackUserProfile;
}
}
The next step is to ensure the user profile is available to the rest of your app.
Provide the user profile
In React, you can provide the user profile to your app as follows:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
import { createContext, useContext } from "react";
const PersonalizationProfileContext = createContext(null);
PersonalizationProfileContext.displayName = "PersonalizationProfileContext";
function usePersonalizationProfile() {
const context = useContext(PersonalizationProfileContext);
if (!context) {
throw new Error(
"usePersonalizationProfile() must be used within a <PersonalizationProfileProvider>."
);
}
return context;
}
function PersonalizationProfileProvider({ userProfile, children }) {
return (
<PersonalizationProfileContext.Provider value={userProfile}>
{children}
</PersonalizationProfileContext.Provider>
);
}
function App({ userProfile }) {
return (
<PersonalizationProfileProvider userProfile={userProfile}>
<Page />
</PersonalizationProfileProvider>
);
}
Access the user profile
Once you’ve passed the user profile to the <PersonalizationProfileProvider>
provider, you can access your user profile properties with the usePersonalizationProfile
React Hook.
This Hook can be used in any component within <PersonalizationProfileProvider>
.
1
2
3
4
5
function Page() {
const { userID, affinities } = usePersonalizationProfile();
return <>{/* Your JSX */}</>;
}