Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: Modularise and document analytics endpoints #2288

Merged
merged 2 commits into from
Oct 10, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
26 changes: 26 additions & 0 deletions api.planx.uk/modules/analytics/controller.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,26 @@
import { z } from "zod";
import { trackAnalyticsLogExit } from "./service";
import { ValidatedRequestHandler } from "../../shared/middleware/validate";

export const logAnalyticsSchema = z.object({
query: z.object({
analyticsLogId: z.string(),
}),
});

export type LogAnalytics = ValidatedRequestHandler<
typeof logAnalyticsSchema,
Record<string, never>
>;

export const logUserExitController: LogAnalytics = async (req, res) => {
const { analyticsLogId } = req.query;
trackAnalyticsLogExit({ id: Number(analyticsLogId), isUserExit: true });
res.status(204).send();
};

export const logUserResumeController: LogAnalytics = async (req, res) => {
const { analyticsLogId } = req.query;
trackAnalyticsLogExit({ id: Number(analyticsLogId), isUserExit: false });
res.status(204).send();
};
29 changes: 29 additions & 0 deletions api.planx.uk/modules/analytics/docs.yaml
Original file line number Diff line number Diff line change
@@ -0,0 +1,29 @@
openapi: 3.1.0
info:
title: Plan✕ API
version: 0.1.0
tags:
- name: analytics
components:
responses:
AnalyticsResponse:
description: Successful response with no content. Not awaited from server as endpoint is called via the Beacon API
paths:
/analytics/log-user-exit:
post:
summary: Log user exit
description: Capture an analytic event which represents a user exiting a service
tags:
- analytics
responses:
"204":
$ref: "#/components/responses/AnalyticsResponse"
/analytics/log-user-resume:
post:
summary: Log user resume
description: Capture an analytic event which represents a user resuming a service
tags:
- analytics
responses:
"204":
$ref: "#/components/responses/AnalyticsResponse"
99 changes: 99 additions & 0 deletions api.planx.uk/modules/analytics/index.test.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,99 @@
import supertest from "supertest";
import app from "../../server";
import { queryMock } from "../../tests/graphqlQueryMock";

describe("Logging analytics", () => {
beforeEach(() => {
queryMock.mockQuery({
name: "SetAnalyticsEndedDate",
matchOnVariables: false,
data: {
update_analytics_by_pk: {
id: 12345,
},
},
});
});

it("validates that analyticsLogId is present in the query", async () => {
await supertest(app)
.post("/analytics/log-user-exit")
.query({})
.expect(400)
.then((res) => {
expect(res.body).toHaveProperty("issues");
expect(res.body).toHaveProperty("name", "ZodError");
});
});

it("logs a user exit", async () => {
queryMock.mockQuery({
name: "UpdateAnalyticsLogUserExit",
variables: {
id: 123,
user_exit: true,
},
data: {
update_analytics_logs_by_pk: {
analytics_id: 12345,
},
},
});

await supertest(app)
.post("/analytics/log-user-exit")
.query({ analyticsLogId: "123" })
.expect(204)
.then((res) => {
expect(res.body).toEqual({});
});
});

it("logs a user resume", async () => {
queryMock.mockQuery({
name: "UpdateAnalyticsLogUserExit",
variables: {
id: 456,
user_exit: false,
},
data: {
update_analytics_logs_by_pk: {
analytics_id: 12345,
},
},
});

await supertest(app)
.post("/analytics/log-user-resume")
.query({ analyticsLogId: "456" })
.expect(204)
.then((res) => {
expect(res.body).toEqual({});
});
});

it("handles errors whilst writing analytics records", async () => {
queryMock.mockQuery({
name: "UpdateAnalyticsLogUserExit",
matchOnVariables: false,
data: {
update_analytics_logs_by_pk: {
analytics_id: 12345,
},
},
graphqlErrors: [
{
message: "Something went wrong",
},
],
});

await supertest(app)
.post("/analytics/log-user-resume")
.query({ analyticsLogId: "456" })
.expect(204)
.then((res) => {
expect(res.body).toEqual({});
});
});
});
22 changes: 22 additions & 0 deletions api.planx.uk/modules/analytics/routes.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,22 @@
import { validate } from "./../../shared/middleware/validate";
import { Router } from "express";
import {
logAnalyticsSchema,
logUserExitController,
logUserResumeController,
} from "./controller";

const router = Router();

router.post(
"/log-user-exit",
validate(logAnalyticsSchema),
logUserExitController,
);
router.post(
"/log-user-resume",
validate(logAnalyticsSchema),
logUserResumeController,
);

export default router;
57 changes: 57 additions & 0 deletions api.planx.uk/modules/analytics/service.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,57 @@
import { gql } from "graphql-request";
import { adminGraphQLClient as adminClient } from "../../hasura";

export const trackAnalyticsLogExit = async ({
id,
isUserExit,
}: {
id: number;
isUserExit: boolean;
}) => {
try {
const result = await adminClient.request(
gql`
mutation UpdateAnalyticsLogUserExit($id: bigint!, $user_exit: Boolean) {
update_analytics_logs_by_pk(
pk_columns: { id: $id }
_set: { user_exit: $user_exit }
) {
id
user_exit
analytics_id
}
}
`,
{
id,
user_exit: isUserExit,
},
);

const analyticsId = result.update_analytics_logs_by_pk.analytics_id;
await adminClient.request(
gql`
mutation SetAnalyticsEndedDate($id: bigint!, $ended_at: timestamptz) {
update_analytics_by_pk(
pk_columns: { id: $id }
_set: { ended_at: $ended_at }
) {
id
}
}
`,
{
id: analyticsId,
ended_at: isUserExit ? new Date().toISOString() : null,
},
);
} catch (e) {
// We need to catch this exception here otherwise the exception would become an unhandled rejection which brings down the whole node.js process
console.error(
"There's been an error while recording metrics for analytics but because this thread is non-blocking we didn't reject the request",
(e as Error).stack,
);
}

return;
};
63 changes: 2 additions & 61 deletions api.planx.uk/server.ts
Original file line number Diff line number Diff line change
Expand Up @@ -70,6 +70,7 @@ import teamRoutes from "./modules/team/routes";
import miscRoutes from "./modules/misc/routes";
import userRoutes from "./modules/user/routes";
import webhookRoutes from "./modules/webhooks/routes";
import analyticsRoutes from "./modules/analytics/routes";
import { useSwaggerDocs } from "./docs";
import { Role } from "@opensystemslab/planx-core/types";

Expand Down Expand Up @@ -187,6 +188,7 @@ app.use(miscRoutes);
app.use("/user", userRoutes);
app.use("/team", teamRoutes);
app.use("/webhooks", webhookRoutes);
app.use("/analytics", analyticsRoutes);

app.use("/gis", router);

Expand Down Expand Up @@ -373,67 +375,6 @@ app.get(
privateDownloadController,
);

const trackAnalyticsLogExit = async (id: number, isUserExit: boolean) => {
try {
const result = await adminClient.request(
gql`
mutation UpdateAnalyticsLogUserExit($id: bigint!, $user_exit: Boolean) {
update_analytics_logs_by_pk(
pk_columns: { id: $id }
_set: { user_exit: $user_exit }
) {
id
user_exit
analytics_id
}
}
`,
{
id,
user_exit: isUserExit,
},
);

const analytics_id = result.update_analytics_logs_by_pk.analytics_id;
await adminClient.request(
gql`
mutation SetAnalyticsEndedDate($id: bigint!, $ended_at: timestamptz) {
update_analytics_by_pk(
pk_columns: { id: $id }
_set: { ended_at: $ended_at }
) {
id
}
}
`,
{
id: analytics_id,
ended_at: isUserExit ? new Date().toISOString() : null,
},
);
} catch (e) {
// We need to catch this exception here otherwise the exception would become an unhandle rejection which brings down the whole node.js process
console.error(
"There's been an error while recording metrics for analytics but because this thread is non-blocking we didn't reject the request",
(e as Error).stack,
);
}

return;
};

app.post("/analytics/log-user-exit", async (req, res) => {
const analyticsLogId = Number(req.query.analyticsLogId);
if (analyticsLogId > 0) trackAnalyticsLogExit(analyticsLogId, true);
res.send();
});

app.post("/analytics/log-user-resume", async (req, res) => {
const analyticsLogId = Number(req.query.analyticsLogId);
if (analyticsLogId > 0) trackAnalyticsLogExit(analyticsLogId, false);
res.send();
});

assert(process.env.GOVUK_NOTIFY_API_KEY);
app.post(
"/send-email/:template",
Expand Down
Loading