Skip to content

Commit 7c1b147

Browse files
committed
Default landing page (#1293)
* chore(models/user): add new general preference * feat(migrations): migrate default landing path to be dashboard * fix(migrations): correct landing path update in user preferences migration * feat(graphql): add landingPath to User preferences and update UserDetails query - Introduced landingPath attribute in UserGeneralPreferences and UserGeneralPreferencesInput types. - Updated UserDetails GraphQL query to include landingPath in user preferences. - Adjusted related GraphQL documents and generated types accordingly. * feat(frontend): enhance user preference landing paths in dashboard settings - Added userPreferenceLandingPaths to loader function for dynamic navigation. - Included paths for Fitness and Media entities using safe-routes. - Updated return value of loader to include userPreferenceLandingPaths. * fix(frontend): correct title in preferences meta for consistency * refactor(frontend): update userPreferenceLandingPaths structure in dashboard settings - Changed userPreferenceLandingPaths from a Record to an array of objects for better organization. - Grouped paths under "Media" and "Fitness" categories for improved clarity and maintainability. - Removed JSON.stringify debug output from the Page component. * feat(frontend): add default landing page selection to preferences - Introduced a Select component for choosing the default landing page in user preferences. - Integrated with userPreferenceLandingPaths for dynamic options. - Updated landingPath in user preferences on selection change. * feat(frontend): implement landing path redirection based on user preferences - Added a redirectToLandingPath function to handle navigation based on user preferences. - Integrated search parameters schema for optional landing path redirection. - Updated dashboard layout to utilize the new forcedDashboardPath for consistent navigation. * fix(frontend): remove duplicate zod import in dashboard index route - Eliminated redundant import of zod in the _dashboard._index.tsx file. - Ensured proper organization of imports for better code clarity. * ci: Run CI * fix(frontend): update onboarding tour function to support async operations - Modified startOnboardingTour to be an async function for better handling of asynchronous operations. - Updated onClick handler in the Button component to await the startOnboardingTour function, ensuring proper execution flow. * feat(frontend): refactor forcedDashboardPath for consistent navigation - Moved forcedDashboardPath definition to common.tsx for centralized access. - Updated usage in general.tsx and _dashboard.tsx to utilize the new import, ensuring consistent navigation behavior across the application. * feat(frontend): enhance onboarding tour with user preferences and revalidation - Integrated user preferences and revalidation into the onboarding tour functionality. - Updated startOnboardingTour to modify user preferences for media and fitness features. - Ensured proper revalidation after updating user preferences to reflect changes immediately. * ci: Run CI * refactor(frontend): reposition Select component for default landing page in preferences - Moved the Select component for choosing the default landing page within the preferences section to improve code organization. - Ensured the component retains its functionality and integrates seamlessly with user preferences. Implement server key validation for landing page preference updates
1 parent 5653ef0 commit 7c1b147

File tree

13 files changed

+150
-21
lines changed

13 files changed

+150
-21
lines changed

apps/frontend/app/lib/common.tsx

+2
Original file line numberDiff line numberDiff line change
@@ -173,6 +173,8 @@ export const convertDecimalToThreePointSmiley = (rating: number) =>
173173
? ThreePointSmileyRating.Neutral
174174
: ThreePointSmileyRating.Happy;
175175

176+
export const forcedDashboardPath = $path("/", { ignoreLandingPath: "true" });
177+
176178
export const reviewYellow = "#EBE600FF";
177179

178180
export const getSetColor = (l: SetLot) =>

apps/frontend/app/lib/state/general.tsx

+31-7
Original file line numberDiff line numberDiff line change
@@ -2,20 +2,21 @@ import { Box, Button, Group, Loader, Stack, Text } from "@mantine/core";
22
import {
33
BackgroundJob,
44
DeployBackgroundJobDocument,
5+
MediaLot,
6+
UpdateUserPreferenceDocument,
57
} from "@ryot/generated/graphql/backend/graphql";
6-
import { isNumber } from "@ryot/ts-utils";
8+
import { cloneDeep, isNumber } from "@ryot/ts-utils";
79
import { useMutation } from "@tanstack/react-query";
810
import { produce } from "immer";
911
import { useAtom } from "jotai";
1012
import { atomWithStorage } from "jotai/utils";
1113
import Cookies from "js-cookie";
1214
import type { ReactNode } from "react";
1315
import type { Step } from "react-joyride";
14-
import { useNavigate } from "react-router";
15-
import { $path } from "safe-routes";
16+
import { useNavigate, useRevalidator } from "react-router";
1617
import { match } from "ts-pattern";
17-
import { clientGqlService } from "../common";
18-
import { useDashboardLayoutData } from "../hooks";
18+
import { clientGqlService, forcedDashboardPath } from "../common";
19+
import { useDashboardLayoutData, useUserPreferences } from "../hooks";
1920

2021
type OpenedSidebarLinks = {
2122
media: boolean;
@@ -93,6 +94,8 @@ const onboardingTourAtom = atomWithStorage<
9394

9495
export const useOnboardingTour = () => {
9596
const [tourState, setTourState] = useAtom(onboardingTourAtom);
97+
const userPreferences = useUserPreferences();
98+
const revalidator = useRevalidator();
9699
const navigate = useNavigate();
97100
const dashboardData = useDashboardLayoutData();
98101
const { setOpenedSidebarLinks } = useOpenedSidebarLinks();
@@ -109,7 +112,28 @@ export const useOnboardingTour = () => {
109112
},
110113
});
111114

112-
const startOnboardingTour = () => {
115+
const startOnboardingTour = async () => {
116+
const newPreferences = produce(cloneDeep(userPreferences), (draft) => {
117+
draft.featuresEnabled.media.enabled = true;
118+
const isMoviesEnabled = draft.featuresEnabled.media.specific.findIndex(
119+
(l) => l === MediaLot.Movie,
120+
);
121+
if (isMoviesEnabled === -1)
122+
draft.featuresEnabled.media.specific.push(MediaLot.Movie);
123+
124+
draft.featuresEnabled.fitness.enabled = true;
125+
draft.featuresEnabled.fitness.workouts = true;
126+
draft.featuresEnabled.fitness.templates = true;
127+
draft.featuresEnabled.fitness.measurements = true;
128+
129+
draft.featuresEnabled.analytics.enabled = true;
130+
draft.featuresEnabled.others.calendar = true;
131+
draft.featuresEnabled.others.collections = true;
132+
});
133+
await clientGqlService.request(UpdateUserPreferenceDocument, {
134+
input: newPreferences,
135+
});
136+
revalidator.revalidate();
113137
setOpenedSidebarLinks(defaultSidebarLinksState);
114138
setTourState({ currentStepIndex: 0 });
115139
};
@@ -121,7 +145,7 @@ export const useOnboardingTour = () => {
121145
}),
122146
);
123147
Cookies.set(dashboardData.onboardingTourCompletedCookie, "true");
124-
navigate($path("/"));
148+
navigate(forcedDashboardPath);
125149
};
126150

127151
const advanceOnboardingTourStep = async (input?: {

apps/frontend/app/routes/_dashboard._index.tsx

+21-2
Original file line numberDiff line numberDiff line change
@@ -8,17 +8,19 @@ import {
88
MediaLot,
99
UserAnalyticsDocument,
1010
UserMetadataRecommendationsDocument,
11+
type UserPreferences,
1112
UserUpcomingCalendarEventsDocument,
1213
} from "@ryot/generated/graphql/backend/graphql";
13-
import { isNumber } from "@ryot/ts-utils";
14+
import { isNumber, parseSearchQuery, zodBoolAsString } from "@ryot/ts-utils";
1415
import { IconInfoCircle, IconPlayerPlay } from "@tabler/icons-react";
1516
import CryptoJS from "crypto-js";
1617
import type { ReactNode } from "react";
17-
import { useLoaderData } from "react-router";
18+
import { redirect, useLoaderData } from "react-router";
1819
import { ClientOnly } from "remix-utils/client-only";
1920
import invariant from "tiny-invariant";
2021
import { match } from "ts-pattern";
2122
import { useLocalStorage } from "usehooks-ts";
23+
import { z } from "zod";
2224
import {
2325
ApplicationGrid,
2426
DisplaySummarySection,
@@ -43,8 +45,25 @@ import {
4345
} from "~/lib/utilities.server";
4446
import type { Route } from "./+types/_dashboard._index";
4547

48+
const searchParamsSchema = z.object({
49+
ignoreLandingPath: zodBoolAsString.optional(),
50+
});
51+
52+
export type SearchParams = z.infer<typeof searchParamsSchema>;
53+
54+
const redirectToLandingPath = (
55+
request: Request,
56+
preferences: UserPreferences,
57+
) => {
58+
const query = parseSearchQuery(request, searchParamsSchema);
59+
const landingPath = preferences.general.landingPath;
60+
if (landingPath === "/" || query.ignoreLandingPath) return;
61+
throw redirect(landingPath);
62+
};
63+
4664
export const loader = async ({ request }: Route.LoaderArgs) => {
4765
const preferences = await getUserPreferences(request);
66+
redirectToLandingPath(request, preferences);
4867
const getTake = (el: DashboardElementLot) => {
4968
const t = preferences.general.dashboard.find(
5069
(de) => de.section === el,

apps/frontend/app/routes/_dashboard.settings.preferences.tsx

+55-3
Original file line numberDiff line numberDiff line change
@@ -53,9 +53,14 @@ import { useMutation } from "@tanstack/react-query";
5353
import { type Draft, produce } from "immer";
5454
import { Fragment, useState } from "react";
5555
import { useLoaderData, useRevalidator } from "react-router";
56+
import { $path } from "safe-routes";
5657
import { match } from "ts-pattern";
5758
import { z } from "zod";
58-
import { PRO_REQUIRED_MESSAGE, clientGqlService } from "~/lib/common";
59+
import {
60+
FitnessEntity,
61+
PRO_REQUIRED_MESSAGE,
62+
clientGqlService,
63+
} from "~/lib/common";
5964
import {
6065
useCoreDetails,
6166
useDashboardLayoutData,
@@ -70,12 +75,37 @@ const searchSchema = z.object({
7075
});
7176

7277
export const loader = async ({ request }: Route.LoaderArgs) => {
78+
// biome-ignore lint/suspicious/noExplicitAny: can't use correct types here
79+
const userPreferenceLandingPaths: any = [
80+
{ label: "Dashboard", value: $path("/") },
81+
{ label: "Analytics", value: $path("/analytics") },
82+
{ label: "Calendar", value: $path("/calendar") },
83+
{ label: "Collections", value: $path("/collections/list") },
84+
];
85+
userPreferenceLandingPaths.push({
86+
group: "Media",
87+
items: Object.values(MediaLot).map((lot) => ({
88+
label: changeCase(lot),
89+
value: $path("/media/:action/:lot", { lot, action: "list" }),
90+
})),
91+
});
92+
userPreferenceLandingPaths.push({
93+
group: "Fitness",
94+
items: [
95+
...Object.values(FitnessEntity).map((entity) => ({
96+
label: changeCase(entity),
97+
value: $path("/fitness/:entity/list", { entity }),
98+
})),
99+
{ label: "Measurements", value: $path("/fitness/measurements/list") },
100+
{ label: "Exercises", value: $path("/fitness/exercises/list") },
101+
],
102+
});
73103
const query = parseSearchQuery(request, searchSchema);
74-
return { query };
104+
return { query, userPreferenceLandingPaths };
75105
};
76106

77107
export const meta = () => {
78-
return [{ title: "Preference | Ryot" }];
108+
return [{ title: "Preferences | Ryot" }];
79109
};
80110

81111
const notificationContent = {
@@ -328,6 +358,28 @@ export default function Page() {
328358
))}
329359
</SimpleGrid>
330360
<Stack gap="xs">
361+
<Select
362+
size="xs"
363+
disabled={!!isEditDisabled}
364+
label="Default landing page"
365+
data={loaderData.userPreferenceLandingPaths}
366+
defaultValue={userPreferences.general.landingPath}
367+
description="The page you want to see when you first open the app"
368+
onChange={(value) => {
369+
if (!coreDetails.isServerKeyValidated) {
370+
notifications.show({
371+
color: "red",
372+
message: PRO_REQUIRED_MESSAGE,
373+
});
374+
return;
375+
}
376+
if (value) {
377+
updatePreference((draft) => {
378+
draft.general.landingPath = value;
379+
});
380+
}
381+
}}
382+
/>
331383
<Input.Wrapper
332384
label="Review scale"
333385
description="Scale you want to use for reviews"

apps/frontend/app/routes/_dashboard.settings.profile-and-sharing.tsx

+2-2
Original file line numberDiff line numberDiff line change
@@ -265,8 +265,8 @@ export default function Page() {
265265
<Divider />
266266
<Button
267267
variant="default"
268-
onClick={() => {
269-
startOnboardingTour();
268+
onClick={async () => {
269+
await startOnboardingTour();
270270
Cookies.remove(
271271
dashboardData.onboardingTourCompletedCookie,
272272
);

apps/frontend/app/routes/_dashboard.tsx

+3-2
Original file line numberDiff line numberDiff line change
@@ -115,6 +115,7 @@ import {
115115
ThreePointSmileyRating,
116116
Verb,
117117
convertDecimalToThreePointSmiley,
118+
forcedDashboardPath,
118119
getMetadataDetailsQuery,
119120
getVerb,
120121
refreshUserMetadataDetails,
@@ -655,7 +656,7 @@ export default function Layout() {
655656
icon={IconHome2}
656657
label="Dashboard"
657658
setOpened={() => {}}
658-
href={$path("/")}
659+
href={forcedDashboardPath}
659660
toggle={toggleMobileNavbar}
660661
/>
661662
{loaderData.userPreferences.featuresEnabled.media.enabled ? (
@@ -814,7 +815,7 @@ export default function Layout() {
814815
</AppShell.Navbar>
815816
<Flex direction="column" h="90%">
816817
<Flex justify="space-between" p="md" hiddenFrom="sm">
817-
<Link to={$path("/")} style={{ all: "unset" }}>
818+
<Link to={forcedDashboardPath} style={{ all: "unset" }}>
818819
<Group>
819820
<Image
820821
h={40}

crates/migrations/src/lib.rs

+2
Original file line numberDiff line numberDiff line change
@@ -38,6 +38,7 @@ mod m20250211_changes_for_issue_1216;
3838
mod m20250225_changes_for_issue_1271;
3939
mod m20250225_changes_for_issue_1274;
4040
mod m20250310_changes_for_issue_1259;
41+
mod m20250317_changes_for_issue_1292;
4142

4243
pub use m20230404_create_user::User as AliasedUser;
4344
pub use m20230410_create_metadata::Metadata as AliasedMetadata;
@@ -97,6 +98,7 @@ impl MigratorTrait for Migrator {
9798
Box::new(m20250225_changes_for_issue_1271::Migration),
9899
Box::new(m20250225_changes_for_issue_1274::Migration),
99100
Box::new(m20250310_changes_for_issue_1259::Migration),
101+
Box::new(m20250317_changes_for_issue_1292::Migration),
100102
]
101103
}
102104
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
use sea_orm_migration::prelude::*;
2+
3+
#[derive(DeriveMigrationName)]
4+
pub struct Migration;
5+
6+
#[async_trait::async_trait]
7+
impl MigrationTrait for Migration {
8+
async fn up(&self, manager: &SchemaManager) -> Result<(), DbErr> {
9+
let db = manager.get_connection();
10+
db.execute_unprepared(
11+
r#"
12+
UPDATE "user" SET "preferences" = jsonb_set("preferences", '{general,landing_path}', '"/"');
13+
"#,
14+
)
15+
.await?;
16+
Ok(())
17+
}
18+
19+
async fn down(&self, _manager: &SchemaManager) -> Result<(), DbErr> {
20+
Ok(())
21+
}
22+
}

crates/models/user/src/lib.rs

+2
Original file line numberDiff line numberDiff line change
@@ -405,6 +405,8 @@ pub struct UserGeneralWatchProvider {
405405
pub struct UserGeneralPreferences {
406406
#[educe(Default = true)]
407407
pub display_nsfw: bool,
408+
#[educe(Default = "/")]
409+
pub landing_path: String,
408410
#[educe(Default = false)]
409411
pub disable_videos: bool,
410412
#[educe(Default = false)]

0 commit comments

Comments
 (0)