some bug fixes and add the ranking page
All checks were successful
Deploy Backend / deploy (push) Successful in 2m22s
Deploy Website / deploy (push) Successful in 4m8s

This commit is contained in:
Lee 2024-10-11 02:43:28 +01:00
parent f649fb9c7f
commit e35c1c77d3
13 changed files with 345 additions and 18 deletions

@ -24,12 +24,15 @@ export class PlayerService {
}
console.log(`Creating player "${id}"...`);
player = (await PlayerModel.create({ _id: id })) as PlayerDocument;
if (player === null) {
throw new InternalServerError(`Failed to create player document for "${id}"`);
try {
player = (await PlayerModel.create({ _id: id })) as PlayerDocument;
player.trackedSince = new Date();
await this.seedPlayerHistory(player, playerToken);
} catch (err) {
const message = `Failed to create player document for "${id}"`;
console.log(message, err);
throw new InternalServerError(message);
}
player.trackedSince = new Date();
await this.seedPlayerHistory(player, playerToken);
}
return player;
}

@ -48,6 +48,11 @@ export default interface ScoreSaberPlayer extends Player {
*/
permissions: number;
/**
* The pages for the players positions.
*/
rankPages: ScoreSaberRankPages;
/**
* Whether the player is banned or not.
*/
@ -167,6 +172,10 @@ export async function getScoreSaberPlayerFromToken(
const countryRankChange = getChange("countryRank");
const ppChange = getChange("pp");
const getRankPosition = (rank: number): number => {
return Math.floor(rank / 50) + 1;
};
return {
id: token.id,
name: token.name,
@ -186,6 +195,10 @@ export async function getScoreSaberPlayerFromToken(
badges: badges,
statisticHistory: statisticHistory,
statistics: token.scoreStats,
rankPages: {
global: getRankPosition(token.rank),
country: getRankPosition(token.countryRank),
},
permissions: token.permissions,
banned: token.banned,
inactive: token.inactive,
@ -262,3 +275,15 @@ export type ScoreSaberPlayerStatistics = {
*/
replaysWatched: number;
};
export type ScoreSaberRankPages = {
/**
* Their page for their global rank position.
*/
global: number;
/**
* Their page for their country rank position.
*/
country: number;
};

@ -0,0 +1,11 @@
let regionNames = new Intl.DisplayNames(["en"], { type: "region" });
/**
* Returns the normalized region name
*
* @param region the region to normalize
* @returns the normalized region name
*/
export function normalizedRegionName(region: string) {
return regionNames.of(region);
}

@ -42,7 +42,7 @@ const getLeaderboardData = async ({ params }: Props, fetchScores: boolean = true
const id = slug[0]; // The leaderboard id
const page = parseInt(slug[1]) || 1; // The page number
const cacheId = `${id}-${page}`;
const cacheId = `${id}-${page}-${fetchScores}`;
if (leaderboardCache.has(cacheId)) {
return leaderboardCache.get(cacheId) as LeaderboardData;
}

@ -51,7 +51,7 @@ const getPlayerData = async ({ params }: Props, fetchScores: boolean = true): Pr
const page = parseInt(slug[2]) || 1; // The page number
const search = (slug[3] as string) || ""; // The search query
const cacheId = `${id}-${sort}-${page}-${search}`;
const cacheId = `${id}-${sort}-${page}-${search}-${fetchScores}`;
if (playerCache.has(cacheId)) {
return playerCache.get(cacheId) as PlayerData;
}

@ -0,0 +1,109 @@
import { Metadata } from "next";
import { scoresaberService } from "@ssr/common/service/impl/scoresaber";
import NodeCache from "node-cache";
import { ScoreSaberPlayersPageToken } from "@ssr/common/types/token/scoresaber/score-saber-players-page-token";
import Card from "@/components/card";
import RankingData from "@/components/ranking/ranking-data";
import CountryFlag from "@/components/country-flag";
import { normalizedRegionName } from "@ssr/common/utils/region-utils";
const UNKNOWN_PAGE = {
title: "ScoreSaber Reloaded - Unknown Page",
description: "The page you were looking for could not be found.",
};
type Props = {
params: Promise<{
slug: string[];
}>;
};
type RankingPageData = {
players: ScoreSaberPlayersPageToken | undefined;
page: number;
country: string | undefined;
};
const rankingCache = new NodeCache({ stdTTL: 60, checkperiod: 120 });
/**
* Gets the ranking data.
*
* @param params the params
* @returns the ranking data
*/
const getRankingData = async ({ params }: Props): Promise<RankingPageData> => {
const { slug } = await params;
const country = (slug && slug.length > 1 && (slug[0] as string).toUpperCase()) || undefined; // The country query
const page = (slug && parseInt(slug[country != undefined ? 1 : 0])) || 1; // The page number
const cacheId = `${country === undefined ? "global" : country}-${page}`;
if (rankingCache.has(cacheId)) {
return rankingCache.get(cacheId) as RankingPageData;
}
const players =
country == undefined
? await scoresaberService.lookupPlayers(page)
: await scoresaberService.lookupPlayersByCountry(page, country);
const rankingData = {
players: players && players.players.length > 0 ? players : undefined,
page,
country,
};
rankingCache.set(cacheId, rankingData);
return rankingData;
};
export async function generateMetadata(props: Props): Promise<Metadata> {
const { players, page, country } = await getRankingData(props);
if (players === undefined) {
return {
title: UNKNOWN_PAGE.title,
description: UNKNOWN_PAGE.description,
openGraph: {
title: UNKNOWN_PAGE.title,
description: UNKNOWN_PAGE.description,
},
};
}
const title = `ScoreSaber Reloaded - Ranking Page (${page} - ${country === undefined ? "Global" : country})`;
return {
title: title,
openGraph: {
title: title,
description: `
Page: ${page}
${country != undefined ? `Country: ${country}` : ""}
View the scores for the ranking page!`,
images: [
{
// Show the profile picture of the first player
url: players.players[0].profilePicture,
},
],
},
twitter: {
card: "summary",
},
};
}
export default async function RankingPage(props: Props) {
const { players, page, country } = await getRankingData(props);
return (
<Card className="h-full w-full gap-2">
<div className="flex items-center gap-2 font-semibold">
{country && <CountryFlag code={country} size={16} />}
<p>
You are viewing {country ? "players from " + normalizedRegionName(country.toUpperCase()) : "Global players"}
</p>
</div>
<RankingData initialPage={page} initialPageData={players} country={country} />
</Card>
);
}

@ -3,7 +3,6 @@
import { createContext, ReactNode, useEffect, useState } from "react";
import Database, { db } from "../../common/database/database";
import FullscreenLoader from "./fullscreen-loader";
import { useToast } from "@/hooks/use-toast";
/**
* The context for the database. This is used to access the database from within the app.

@ -4,6 +4,7 @@ import Link from "next/link";
import React from "react";
import NavbarButton from "./navbar-button";
import ProfileButton from "./profile-button";
import { TrendingUpIcon } from "lucide-react";
type NavbarItem = {
name: string;
@ -19,6 +20,12 @@ const items: NavbarItem[] = [
align: "left",
icon: <HomeIcon className="h-5 w-5" />,
},
{
name: "Ranking",
link: "/ranking",
align: "left",
icon: <TrendingUpIcon className="h-5 w-5" />,
},
{
name: "Search",
link: "/search",

@ -9,6 +9,7 @@ import Tooltip from "@/components/tooltip";
import { ReactElement } from "react";
import PlayerTrackedStatus from "@/components/player/player-tracked-status";
import ScoreSaberPlayer from "@ssr/common/types/player/impl/scoresaber-player";
import Link from "next/link";
/**
* Renders the change for a stat.
@ -41,10 +42,12 @@ const playerData = [
const rankChange = statisticChange?.rank ?? 0;
return (
<div className="text-gray-300 flex gap-1 items-center">
<p>#{formatNumberWithCommas(player.rank)}</p>
{rankChange != 0 && renderChange(rankChange, <p>The change in your rank compared to yesterday</p>)}
</div>
<Link href={`/ranking/${player.country}/${player.rankPages.global}`}>
<div className="text-gray-300 flex gap-1 items-center hover:brightness-75 transition-all transform-gpu">
<p>#{formatNumberWithCommas(player.rank)}</p>
{rankChange != 0 && renderChange(rankChange, <p>The change in your rank compared to yesterday</p>)}
</div>
</Link>
);
},
},
@ -58,10 +61,12 @@ const playerData = [
const rankChange = statisticChange?.countryRank ?? 0;
return (
<div className="text-gray-300 flex gap-1 items-center">
<p>#{formatNumberWithCommas(player.countryRank)}</p>
{rankChange != 0 && renderChange(rankChange, <p>The change in your rank compared to yesterday</p>)}
</div>
<Link href={`/ranking/${player.country}/${player.rankPages.country}`}>
<div className="text-gray-300 flex gap-1 items-center hover:brightness-75 transition-all transform-gpu">
<p>#{formatNumberWithCommas(player.countryRank)}</p>
{rankChange != 0 && renderChange(rankChange, <p>The change in your country rank compared to yesterday</p>)}
</div>
</Link>
);
},
},

@ -0,0 +1,50 @@
"use client";
import { formatNumberWithCommas, formatPp } from "@/common/number-utils";
import CountryFlag from "@/components/country-flag";
import ScoreSaberPlayerToken from "@ssr/common/types/token/scoresaber/score-saber-player-token";
import Link from "next/link";
import useDatabase from "@/hooks/use-database";
import { useLiveQuery } from "dexie-react-hooks";
import { Avatar, AvatarImage } from "@/components/ui/avatar";
type PlayerRankingProps = {
player: ScoreSaberPlayerToken;
isCountry: boolean;
};
export function PlayerRanking({ player, isCountry }: PlayerRankingProps) {
const database = useDatabase();
const settings = useLiveQuery(() => database.getSettings());
return (
<>
<td className="px-4 py-2">
#{formatNumberWithCommas(isCountry ? player.countryRank : player.rank)}{" "}
<span className="text-sm">{isCountry && "(#" + formatNumberWithCommas(player.rank) + ")"}</span>
</td>
<td className="flex items-center gap-2 px-4 py-2">
<Avatar className="w-[24px] h-[24px] pointer-events-none">
<AvatarImage
alt="Profile Picture"
src={`https://img.fascinated.cc/upload/w_128,h_128/${player.profilePicture}`}
/>
</Avatar>
<CountryFlag code={player.country} size={14} />
<Link className="transform-gpu transition-all hover:text-blue-500" href={`/player/${player.id}/top/1`}>
<p
className={
player.id == settings?.playerId ? "transform-gpu text-pp transition-all hover:brightness-75" : ""
}
>
{player.name}
</p>
</Link>
</td>
<td className="px-4 py-2 text-pp-blue">{formatPp(player.pp)}pp</td>
<td className="px-4 py-2">{formatNumberWithCommas(player.scoreStats.totalPlayCount)}</td>
<td className="px-4 py-2">{formatNumberWithCommas(player.scoreStats.rankedPlayCount)}</td>
<td className="px-4 py-2">{player.scoreStats.averageRankedAccuracy.toFixed(2) + "%"}</td>
</>
);
}

@ -0,0 +1,118 @@
"use client";
import { useQuery } from "@tanstack/react-query";
import { useCallback, useEffect, useState } from "react";
import { scoresaberService } from "@ssr/common/service/impl/scoresaber";
import { ScoreSaberPlayersPageToken } from "@ssr/common/types/token/scoresaber/score-saber-players-page-token";
import { useIsMobile } from "@/hooks/use-is-mobile";
import Pagination from "@/components/input/pagination";
import { PlayerRanking } from "@/components/ranking/player-ranking";
const REFRESH_INTERVAL = 1000 * 60 * 5;
type RankingDataProps = {
/**
* The page to show when opening the leaderboard.
*/
initialPage: number;
/**
* The country to show when opening the leaderboard.
*/
country?: string | undefined;
/**
* The leaderboard to display.
*/
initialPageData?: ScoreSaberPlayersPageToken;
};
export default function RankingData({ initialPage, country, initialPageData }: RankingDataProps) {
const isMobile = useIsMobile();
const [currentPage, setCurrentPage] = useState(initialPage);
const [rankingData, setRankingData] = useState<ScoreSaberPlayersPageToken | undefined>(initialPageData);
const { data, isLoading, isError } = useQuery({
queryKey: ["rankingData", currentPage],
queryFn: async () => {
const players =
country == undefined
? await scoresaberService.lookupPlayers(currentPage)
: await scoresaberService.lookupPlayersByCountry(currentPage, country);
return players && players.players.length > 0 ? players : undefined;
},
staleTime: REFRESH_INTERVAL,
refetchInterval: REFRESH_INTERVAL,
refetchIntervalInBackground: false,
});
useEffect(() => {
if (data && (!isLoading || !isError)) {
setRankingData(data);
}
}, [data, isLoading, isError]);
/**
* Gets the URL to the page.
*/
const getUrl = useCallback(
(page: number) => {
return `/ranking/${country != undefined ? `${country}/` : ""}${page}`;
},
[country]
);
/**
* Handle updating the URL when the page number,
* sort, or search term changes.
*/
useEffect(() => {
const newUrl = getUrl(currentPage);
window.history.replaceState({ ...window.history.state, as: newUrl, url: newUrl }, "", newUrl);
}, [currentPage, getUrl]);
if (!rankingData) {
return <p>Unknown page.</p>;
}
const { players, metadata } = rankingData;
return (
<div className="flex flex-col gap-2">
<table className="table w-full table-auto border-spacing-2 border-none text-left">
<thead>
<tr>
<th className="px-4 py-2">Rank</th>
<th className="px-4 py-2">Profile</th>
<th className="px-4 py-2">Performance Points</th>
<th className="px-4 py-2">Total Plays</th>
<th className="px-4 py-2">Total Ranked Plays</th>
<th className="px-4 py-2">Avg Ranked Accuracy</th>
</tr>
</thead>
<tbody className="border-none">
{players.map(player => (
<tr key={player.rank} className="border-b border-border">
<PlayerRanking isCountry={country != undefined} player={player} />
</tr>
))}
</tbody>
</table>
{/* Pagination */}
<Pagination
mobilePagination={isMobile}
page={currentPage}
totalPages={Math.ceil(metadata.total / metadata.itemsPerPage)}
loadingPage={isLoading ? currentPage : undefined}
generatePageUrl={page => {
return getUrl(page);
}}
onPageChange={newPage => {
setCurrentPage(newPage);
}}
/>
</div>
);
}

@ -6,5 +6,5 @@ import { Variants } from "framer-motion";
export const scoreAnimation: Variants = {
hiddenRight: { opacity: 0, x: 50 },
hiddenLeft: { opacity: 0, x: -50 },
visible: { opacity: 1, x: 0, transition: { staggerChildren: 0.03 } },
visible: { opacity: 1, x: 0, transition: { staggerChildren: 0.02 } },
};

@ -1,4 +1,4 @@
import { NextResponse, type NextRequest } from "next/server";
import { type NextRequest, NextResponse } from "next/server";
import { isProduction } from "@ssr/common/utils/utils";
export function middleware(request: NextRequest) {