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: add offline functionality for !recent command #684

Open
wants to merge 5 commits into
base: master
Choose a base branch
from
Open
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
34 changes: 20 additions & 14 deletions app/commands.py
Original file line number Diff line number Diff line change
Expand Up @@ -40,6 +40,7 @@
import app.utils
from app.constants import regexes
from app.constants.gamemodes import GAMEMODE_REPR_LIST
from app.constants.gamemodes import GameMode
from app.constants.mods import SPEED_CHANGING_MODS
from app.constants.mods import Mods
from app.constants.privileges import ClanPrivileges
Expand All @@ -60,6 +61,7 @@
from app.repositories import logs as logs_repo
from app.repositories import map_requests as map_requests_repo
from app.repositories import maps as maps_repo
from app.repositories import scores as scores_repo
from app.repositories import tourney_pool_maps as tourney_pool_maps_repo
from app.repositories import tourney_pools as tourney_pools_repo
from app.repositories import users as users_repo
Expand Down Expand Up @@ -314,36 +316,40 @@ async def maplink(ctx: Context) -> str | None:
async def recent(ctx: Context) -> str | None:
"""Show information about a player's most recent score."""
if ctx.args:
target = app.state.sessions.players.get(name=" ".join(ctx.args))
target = await users_repo.fetch_one(name=" ".join(ctx.args))
if not target:
return "Player not found."
score = await scores_repo.fetch_recent(user_id=target["id"])
else:
target = ctx.player

score = target.recent_score
score = await scores_repo.fetch_recent(user_id=ctx.player.id)
if not score:
return "No scores found (only saves per play session)."
return "No scores found."

if score.bmap is None:
beatmap = await Beatmap.from_md5(score["map_md5"])
if beatmap is None:
return "We don't have a beatmap on file for your recent score."

l = [f"[{score.mode!r}] {score.bmap.embed}", f"{score.acc:.2f}%"]
l = [f"[{GameMode(score['mode'])!r}] {beatmap.embed}", f"{score['acc']:.2f}%"]

if score.mods:
l.insert(1, f"+{score.mods!r}")
if score["mods"]:
l.insert(1, f"+{Mods(score['mods'])!r}")

l = [" ".join(l)]

if score.passed:
rank = score.rank if score.status == SubmissionStatus.BEST else "NA"
l.append(f"PASS {{{score.pp:.2f}pp #{rank}}}")
if score["grade"] != "F":
rank = (
await scores_repo.calculate_placement(score)
if score["status"] == SubmissionStatus.BEST
else "NA"
)
l.append(f"PASS {{{score['pp']:.2f}pp #{rank}}}")
else:
# XXX: prior to v3.2.0, bancho.py didn't parse total_length from
# the osu!api, and thus this can do some zerodivision moments.
# this can probably be removed in the future, or better yet
# replaced with a better system to fix the maps.
if score.bmap.total_length != 0:
completion = score.time_elapsed / (score.bmap.total_length * 1000)
if beatmap.total_length != 0:
completion = score["time_elapsed"] / (beatmap.total_length * 1000)
l.append(f"FAIL {{{completion * 100:.2f}% complete}})")
else:
l.append("FAIL")
Expand Down
37 changes: 37 additions & 0 deletions app/repositories/scores.py
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,7 @@
import app.state.services
from app._typing import UNSET
from app._typing import _UnsetSentinel
from app.constants.gamemodes import GameMode
from app.repositories import Base


Expand Down Expand Up @@ -172,6 +173,17 @@ async def fetch_one(id: int) -> Score | None:
return cast(Score | None, _score)


async def fetch_recent(user_id: int) -> Score | None:
select_stmt = (
select(*READ_PARAMS)
.where(ScoresTable.userid == user_id)
.order_by(ScoresTable.id.desc())
.limit(1)
)
_score = await app.state.services.database.fetch_one(select_stmt)
return cast(Score | None, _score)


async def fetch_count(
map_md5: str | None = None,
mods: int | None = None,
Expand Down Expand Up @@ -224,6 +236,31 @@ async def fetch_many(
return cast(list[Score], scores)


async def calculate_placement(score: Score) -> int:
if GameMode(score["mode"]) >= GameMode.RELAX_OSU:
scoring_metric = "pp"
scoring = score["pp"]
else:
scoring_metric = "score"
scoring = score["score"]

num_better_scores: int | None = await app.state.services.database.fetch_val(
"SELECT COUNT(*) AS c FROM scores s "
"INNER JOIN users u ON u.id = s.userid "
"WHERE s.map_md5 = :map_md5 AND s.mode = :mode "
"AND s.status = 2 AND u.priv & 1 "
f"AND s.{scoring_metric} > :scoring",
{
"map_md5": score["map_md5"],
"mode": score["mode"],
"scoring": scoring,
},
column=0, # COUNT(*)
)
assert num_better_scores is not None
return num_better_scores + 1


async def partial_update(
id: int,
pp: float | _UnsetSentinel = UNSET,
Expand Down
Loading