Cleanup - unused files / unused exports / duplicate exports
[ProtonMail-WebClient.git] / applications / drive / src / app / utils / telemetry.ts
blob0daf1db58c1ef522b21d23ea71d19f7d0d0228bf
1 import { useEffect, useMemo } from 'react';
3 import { useApi } from '@proton/components';
4 import { CryptoProxy } from '@proton/crypto';
5 import createApi from '@proton/shared/lib/api/createApi';
6 import localStorageWithExpiry from '@proton/shared/lib/api/helpers/localStorageWithExpiry';
7 import { TelemetryDriveWebFeature, TelemetryMeasurementGroups } from '@proton/shared/lib/api/telemetry';
8 import { sendTelemetryReport } from '@proton/shared/lib/helpers/metrics';
9 import { randomHexString4 } from '@proton/shared/lib/helpers/uid';
10 import type { Api } from '@proton/shared/lib/interfaces';
11 import noop from '@proton/utils/noop';
13 import * as config from '../config';
14 import { LAST_ACTIVE_PING } from '../store/_user/useActivePing';
15 import { sendErrorReport } from './errorHandling';
16 import { EnrichedError } from './errorHandling/EnrichedError';
17 import { getLastActivePersistedUserSession } from './lastActivePersistedUserSession';
19 export enum ExperimentGroup {
20     control = 'control',
21     treatment = 'treatment',
24 export enum Features {
25     mountToFirstItemRendered = 'mountToFirstItemRendered',
28 /**
29  * At the present time, these metrics will only work when user is authenticated
30  */
31 export enum Actions {
32     AddToBookmark = 'addToBookmark',
33     ViewSignUpFlowModal = 'viewSignUpFlowModal',
34     DismissSignUpFlowModal = 'dismissSignUpFlowModal',
35     SubmitSignUpFlowModal = 'submitSignUpFlowModal',
36     SignUpFlowModal = 'signUpFlowModal',
37     SignInFlowModal = 'signInFlowModal',
38     OpenPublicLinkFromSharedWithMe = 'openPublicLinkFromSharedWithMe',
39     PublicScanAndDownload = 'publicScanAndDownload',
40     PublicDownload = 'publicDownload',
41     PublicLinkVisit = 'publicLinkVisit',
42     DeleteBookmarkFromSharedWithMe = 'DeleteBookmarkFromSharedWithMe',
43     SignUpFlowAndRedirectCompleted = 'signUpFlowAndRedirectCompleted',
44     RedirectToCorrectContextShare = 'redirectToCorrectContextShare',
45     RedirectToCorrectAcceptInvitation = 'RedirectToCorrectAcceptInvitation',
46     AddToBookmarkTriggeredModal = 'addToBookmarkTriggeredModal',
47     // onboarding actions
48     OnboardingV2Shown = 'onboardingV2Shown',
49     OnboardingV2InstallMacApp = 'onboardingV2InstallMacApp',
50     OnboardingV2InstallWindowsApp = 'onboardingV2InstallWindowsApp',
51     OnboardingV2InstallSkip = 'onboardingV2InstallSkip',
52     OnboardingV2B2BInvite = 'onboardingV2B2BInvite',
53     OnboardingV2B2BInviteSkip = 'onboardingV2B2BInviteSkip',
54     OnboardingV2UploadFile = 'onboardingV2UploadFile',
55     OnboardingV2UploadFolder = 'onboardingV2UploadFolder',
56     OnboardingV2UploadSkip = 'onboardingV2UploadSkip',
58     // Download info on what system will be used for file with size above MEMORY_DOWNLOAD_LIMIT
59     DownloadUsingSW = 'downloadUsingSW',
60     DownloadFallback = 'downloadFallback',
63 type PerformanceTelemetryAdditionalValues = {
64     quantity?: number;
67 const sendTelemetryFeaturePerformance = (
68     api: Api,
69     featureName: Features,
70     timeInMs: number,
71     treatment: ExperimentGroup,
72     additionalValues: PerformanceTelemetryAdditionalValues = {}
73 ) => {
74     // TODO: https://jira.protontech.ch/browse/DD-7
75     // This is ugly and hacky, but it's a cheap way for the metric (without calling /users and without hooks)
76     // Proper back-end solution will be done as part of https://jira.protontech.ch/browse/DD-7
77     const loggedInRecently = localStorageWithExpiry.getData(LAST_ACTIVE_PING) ? 'true' : 'false';
79     void sendTelemetryReport({
80         api: api,
81         measurementGroup: TelemetryMeasurementGroups.driveWebFeaturePerformance,
82         event: TelemetryDriveWebFeature.performance,
83         values: {
84             milliseconds: timeInMs,
85             ...additionalValues,
86         },
87         dimensions: {
88             isLoggedIn: window.location.pathname.startsWith('/urls') ? loggedInRecently : 'true',
89             experimentGroup: treatment,
90             featureName,
91         },
92     });
95 const measureAndReport = (
96     api: Api,
97     feature: Features,
98     group: ExperimentGroup,
99     measureName: string,
100     startMark: string,
101     endMark: string,
102     additionalValues?: PerformanceTelemetryAdditionalValues
103 ) => {
104     try {
105         const measure = performance.measure(measureName, startMark, endMark);
106         // it can be undefined on browsers below Safari below 14.1 and Firefox 103
107         if (measure) {
108             sendTelemetryFeaturePerformance(api, feature, measure.duration, group, additionalValues);
109         }
110     } catch (e) {
111         sendErrorReport(
112             new EnrichedError('Telemetry Performance Error', {
113                 extra: {
114                     e,
115                 },
116             })
117         );
118     }
122  * Executes a feature group with either control or treatment functions.
124  * @param {Features} feature The type of feature to execute (e.g. 'A', 'B', etc.) defined in the `Features` enum
125  * @param {boolean} applyTreatment Whether to execute the treatment or control function
126  * @param {(()) => Promise<T>} controlFunction A function returning a Promise that should be fulfilled when `applyTreatment` is false
127  * @param {(()) => Promise<T>} treatmentFunction A function returning a Promise that should be fulfilled when `applyTreatment` is true
128  * @returns {Promise<T>} The Promise of the executed function, returns T when fulfilled, both control and treatment should have same return type
129  */
130 export const measureExperimentalPerformance = <T>(
131     api: Api,
132     feature: Features,
133     applyTreatment: boolean,
134     controlFunction: () => Promise<T>,
135     treatmentFunction: () => Promise<T>
136 ): Promise<T> => {
137     // Something somewhat unique, if we have collision it's not end of the world we drop the metric
138     const distinguisher = `${performance.now()}-${randomHexString4()}`;
139     const startMark = `start-${feature}-${distinguisher}`;
140     const endMark = `end-${feature}-${distinguisher}`;
141     const measureName = `measure-${feature}-${distinguisher}`;
143     performance.mark(startMark);
144     const result = applyTreatment ? treatmentFunction() : controlFunction();
146     result
147         .finally(() => {
148             performance.mark(endMark);
150             measureAndReport(
151                 api,
152                 feature,
153                 applyTreatment ? ExperimentGroup.treatment : ExperimentGroup.control,
154                 measureName,
155                 startMark,
156                 endMark
157             );
159             performance.clearMarks(endMark);
160             performance.clearMeasures(measureName);
161             performance.clearMarks(startMark);
162         })
163         .catch(noop);
165     return result;
168 export const measureFeaturePerformance = (api: Api, feature: Features, experimentGroup = ExperimentGroup.control) => {
169     const startMark = `start-${feature}-${randomHexString4()}`;
170     const endMark = `end-${feature}-${randomHexString4()}`;
171     const measureName = `measure-${feature}-${randomHexString4()}`;
173     let started = false;
174     let ended = false;
176     const clear = () => {
177         performance.clearMarks(startMark);
178         performance.clearMarks(endMark);
179         performance.clearMeasures(measureName);
180         started = false;
181         ended = false;
182     };
184     return {
185         start: () => {
186             if (!started) {
187                 started = true;
188                 performance.mark(startMark);
189             }
190         },
191         end: (additionalValues?: PerformanceTelemetryAdditionalValues) => {
192             if (!ended && started) {
193                 ended = true;
194                 performance.mark(endMark);
195                 measureAndReport(api, feature, experimentGroup, measureName, startMark, endMark, additionalValues);
196                 clear();
197             }
198         },
199         clear,
200     };
203 export const useMeasureFeaturePerformanceOnMount = (features: Features) => {
204     const api = useApi();
206     // It will be a new measure object each time the api changes or the features changes.
207     // If it changes in between the previous measure has started and not ended yet the values will be cleared and ignored.
208     const measure = useMemo(() => measureFeaturePerformance(api, features), [api, features]);
210     useEffect(() => {
211         measure.start();
212         return () => {
213             measure.clear();
214         };
215     }, [measure]);
217     return measure.end;
220 const apiInstance = createApi({ config, sendLocaleHeaders: true });
222 export const countActionWithTelemetry = (action: Actions, count: number = 1) => {
223     const persistedSession = getLastActivePersistedUserSession();
225     if (persistedSession?.UID) {
226         // API calls will now be Authenticated with x-pm-uid header
227         apiInstance.UID = persistedSession?.UID;
228     }
230     // TODO: https://jira.protontech.ch/browse/DD-7
231     // This is ugly and hacky, but it's a cheap way for the metric (without calling /users and without hooks)
232     // Proper back-end solution will be done as part of https://jira.protontech.ch/browse/DD-7
233     const loggedInRecently = localStorageWithExpiry.getData(LAST_ACTIVE_PING) ? 'true' : 'false';
235     return sendTelemetryReport({
236         api: apiInstance,
237         measurementGroup: TelemetryMeasurementGroups.driveWebActions,
238         event: TelemetryDriveWebFeature.actions,
239         values: {
240             count,
241         },
242         dimensions: {
243             isLoggedIn: window.location.pathname.startsWith('/urls') ? loggedInRecently : 'true',
244             name: action,
245         },
246     });
249 const TEN_MINUTES = 10 * 60 * 1000;
251 export async function getTimeBasedHash(interval: number = TEN_MINUTES) {
252     const timeBase = Math.floor(Date.now() / interval) * interval;
254     const encoder = new TextEncoder();
255     const data = encoder.encode(timeBase.toString());
256     const hashBuffer = await CryptoProxy.computeHash({ algorithm: 'SHA256', data });
257     const hashArray = Array.from(new Uint8Array(hashBuffer));
258     const hashHex = hashArray.map((b) => b.toString(16).padStart(2, '0')).join('');
260     return hashHex;
264  * Tracks user actions within a specified time window, typically used for flows involving redirections.
266  * This function is useful when you want to log an action only if the user starts at point A
267  * and finishes at point B within a given time window. It's particularly helpful in scenarios
268  * where there are redirections in the middle of a flow and passing query parameters through
269  * all redirections is not feasible.
271  * @example
272  * // Sign-Up Modal flow:
273  * // 1. Sign-Up Modal appears (start A)
274  * // 2. User signs up, pays, redirects
275  * // 3. User goes back to shared-with-me page (end B)
276  * // If this happens within the time window, the flow is logged as completed.
278  * @param {Actions} action - The action to be tracked.
279  * @param {number} [duration=TEN_MINUTES] - The time window for tracking the action, default is 10 minutes.
281  * @returns {Object} An object with start and end methods to initiate and complete the tracking.
282  */
283 export const traceTelemetry = (action: Actions, duration: number = TEN_MINUTES) => {
284     return {
285         start: async () => {
286             localStorageWithExpiry.storeData(`telemetry-trace-${action}`, await getTimeBasedHash(duration), duration);
287         },
288         end: async () => {
289             const data = localStorageWithExpiry.getData(`telemetry-trace-${action}`);
290             if (data && data === (await getTimeBasedHash(duration))) {
291                 countActionWithTelemetry(action);
292             }
293             localStorageWithExpiry.deleteData(`telemetry-trace-${action}`);
294         },
295     };