add top scores page
Some checks failed
Deploy Backend / docker (ubuntu-latest) (push) Successful in 46s
Deploy Website / docker (ubuntu-latest) (push) Failing after 1m31s

This commit is contained in:
Lee
2024-10-28 13:18:40 +00:00
parent 0a5d42f6ac
commit f52b62ba83
11 changed files with 213 additions and 15 deletions

View File

@ -1,6 +1,7 @@
import { Controller, Get } from "elysia-decorators";
import { t } from "elysia";
import { Leaderboards } from "@ssr/common/leaderboard";
import { TopScoresResponse } from "@ssr/common/response/top-scores-response";
import { ScoreService } from "../service/score.service";
@Controller("/scores")
@ -73,4 +74,14 @@ export default class ScoresController {
}): Promise<unknown> {
return (await ScoreService.getScoreHistory(playerId, leaderboardId, page)).toJSON();
}
@Get("/top", {
config: {},
})
public async getTopScores(): Promise<TopScoresResponse> {
const scores = await ScoreService.getTopScores();
return {
scores,
};
}
}

View File

@ -48,7 +48,7 @@ export class PlayerService {
await newPlayer.save();
await this.seedPlayerHistory(newPlayer.id, playerToken);
await this.trackPlayerScores(newPlayer.id, SCORESABER_REQUEST_COOLDOWN);
await this.refreshAllPlayerScores(newPlayer.id);
// Notify in production
if (isProduction()) {
@ -247,17 +247,27 @@ export class PlayerService {
}
/**
* Tracks a player's scores from the ScoreSaber API.
* Refreshes all the players scores.
*
* @param playerId the player's id
* @param perPageCooldown the cooldown between pages
*/
public static async trackPlayerScores(playerId: string, perPageCooldown: number) {
public static async refreshAllPlayerScores(playerId: string) {
const player = await PlayerModel.findById(playerId);
if (player == null) {
throw new NotFoundError(`Player "${playerId}" not found`);
}
await this.refreshPlayerScoreSaberScores(player);
}
/**
* Ensures that all the players scores from the
* ScoreSaber API are up-to-date.
*
* @param player the player to refresh
* @private
*/
private static async refreshPlayerScoreSaberScores(player: PlayerDocument) {
console.log(`Refreshing scores for ${player.id}...`);
let page = 1;
let hasMorePages = true;
@ -298,7 +308,7 @@ export class PlayerService {
}
page++;
await delay(perPageCooldown); // Cooldown between page requests
await delay(SCORESABER_REQUEST_COOLDOWN); // Cooldown between page requests
}
// Mark player as seeded
@ -318,7 +328,7 @@ export class PlayerService {
console.log(`Found ${players.length} players to refresh.`);
for (const player of players) {
await this.trackPlayerScores(player.id, SCORESABER_REQUEST_COOLDOWN);
await this.refreshAllPlayerScores(player.id);
await delay(SCORESABER_REQUEST_COOLDOWN); // Cooldown between players
}
}

View File

@ -184,6 +184,9 @@ export class ScoreService {
if (player == undefined) {
return;
}
// Update player name
player.name = playerName;
await player.save();
// The score has already been tracked, so ignore it.
if (
@ -291,6 +294,103 @@ export class ScoreService {
);
}
/**
* Gets the top tracked scores.
*
* @param amount the amount of scores to get
* @returns the top scores
*/
public static async getTopScores(amount: number = 100) {
const foundScores = await ScoreSaberScoreModel.aggregate([
// Start sorting by timestamp descending using the new compound index
{ $sort: { leaderboardId: 1, playerId: 1, timestamp: -1 } },
{
$group: {
_id: { leaderboardId: "$leaderboardId", playerId: "$playerId" },
latestScore: { $first: "$$ROOT" }, // Retrieve the latest score per group
},
},
// Sort by pp of the latest scores in descending order
{ $sort: { "latestScore.pp": -1 } },
{ $limit: amount },
]);
// Collect unique leaderboard IDs
const leaderboardIds = [...new Set(foundScores.map(s => s.latestScore.leaderboardId))];
const leaderboardMap = await this.fetchLeaderboardsInBatch(leaderboardIds);
// Collect player IDs for batch retrieval
const playerIds = foundScores.map(result => result.latestScore.playerId);
const players = await PlayerModel.find({ _id: { $in: playerIds } }).exec();
const playerMap = new Map(players.map(player => [player._id.toString(), player]));
// Prepare to fetch additional data concurrently
const scoreDataPromises = foundScores.map(async result => {
const score: ScoreSaberScore = result.latestScore;
const leaderboardResponse = leaderboardMap[score.leaderboardId];
if (!leaderboardResponse) {
return null; // Skip if leaderboard data is not available
}
const { leaderboard, beatsaver } = leaderboardResponse;
// Fetch additional data concurrently
const [additionalData, previousScore] = await Promise.all([
this.getAdditionalScoreData(
score.playerId,
leaderboard.songHash,
`${leaderboard.difficulty.difficulty}-${leaderboard.difficulty.characteristic}`,
score.score
),
this.getPreviousScore(score.playerId, leaderboard.id + "", score.timestamp),
]);
// Attach additional and previous score data if available
if (additionalData) score.additionalData = additionalData;
if (previousScore) score.previousScore = previousScore;
// Attach player info if available
const player = playerMap.get(score.playerId.toString());
if (player) {
score.playerInfo = {
id: player._id,
name: player.name,
};
}
return {
score: score as ScoreSaberScore,
leaderboard: leaderboard,
beatSaver: beatsaver,
};
});
return (await Promise.all(scoreDataPromises)).filter(score => score !== null);
}
/**
* Fetches leaderboards in a batch.
*
* @param leaderboardIds the ids of the leaderboards
* @returns the fetched leaderboards
* @private
*/
private static async fetchLeaderboardsInBatch(leaderboardIds: string[]) {
// Remove duplicates from leaderboardIds
const uniqueLeaderboardIds = Array.from(new Set(leaderboardIds));
const leaderboardResponses = await Promise.all(
uniqueLeaderboardIds.map(id => LeaderboardService.getLeaderboard<ScoreSaberLeaderboard>("scoresaber", id))
);
return leaderboardResponses.reduce(
(map, response) => {
if (response) map[response.leaderboard.id] = response;
return map;
},
{} as Record<string, { leaderboard: ScoreSaberLeaderboard; beatsaver?: BeatSaverMap }>
);
}
/**
* Gets the additional score data for a player's score.
*