Skip to content

Show list of submissions on public and team scoreboards when clicking on a cell #2918

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

Open
wants to merge 12 commits into
base: main
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
57 changes: 57 additions & 0 deletions webapp/public/js/domjudge.js
Original file line number Diff line number Diff line change
Expand Up @@ -1235,3 +1235,60 @@ $(function() {
});
});
});

function loadSubmissions(dataElement, $displayElement) {
const url = dataElement.dataset.submissionsUrl
fetch(url)
.then(data => data.json())
.then(data => {
const teamId = dataElement.dataset.teamId;
const problemId = dataElement.dataset.problemId;
const teamKey = `team-${teamId}`;
const problemKey = `problem-${problemId}`;
if (!data.submissions || !data.submissions[teamKey] || !data.submissions[teamKey][problemKey]) {
return;
}

const submissions = data.submissions[teamKey][problemKey];
if (submissions.length === 0) {
$displayElement.html(document.querySelector('#empty-submission-list').innerHTML);
} else {
let templateData = document.querySelector('#submission-list').innerHTML;
const $table = $(templateData);
const itemTemplateData = document.querySelector('#submission-list-item').innerHTML;
const $itemTemplate = $(itemTemplateData);
const $submissionList = $table.find('[data-submission-list]');
for (const submission of submissions) {
const $item = $itemTemplate.clone();
$item.find('[data-time]').html(submission.time);
$item.find('[data-language-id]').html(submission.language);
$item.find('[data-verdict]').html(submission.verdict);
$submissionList.append($item);
}
$displayElement.find('.spinner-border').remove();
$displayElement.append($table);
}
});
}

function initScoreboardSubmissions() {
$('[data-submissions-url]').on('click', function (e) {
const linkEl = e.currentTarget;
e.preventDefault();
const $modal = $('[data-submissions-modal] .modal').clone();
const $teamEl = $(`[data-team-external-id="${linkEl.dataset.teamId}"]`);
const $problemEl = $(`[data-problem-external-id="${linkEl.dataset.problemId}"]`);
$modal.find('[data-team]').html($teamEl.data('teamName'));
$modal.find('[data-problem-badge]').html($problemEl.data('problemBadge'));
$modal.find('[data-problem-name]').html($problemEl.data('problemName'));
$modal.modal();
$modal.modal('show');
$modal.on('hidden.bs.modal', function (e) {
$(e.currentTarget).remove();
});
$modal.on('shown.bs.modal', function (e) {
const $modalBody = $(e.currentTarget).find('.modal-body');
loadSubmissions(linkEl, $modalBody);
});
});
}
8 changes: 8 additions & 0 deletions webapp/public/style_domjudge.css
Original file line number Diff line number Diff line change
Expand Up @@ -647,6 +647,14 @@ tr.ignore td, td.ignore, span.ignore {
min-width: 2em;
}

h5 .problem-badge {
font-size: 1rem;
}

h1 .problem-badge {
font-size: 2rem;
}

.tooltip .tooltip-inner {
max-width: 500px;
}
Expand Down
144 changes: 144 additions & 0 deletions webapp/src/Controller/PublicController.php
Original file line number Diff line number Diff line change
Expand Up @@ -2,17 +2,22 @@

namespace App\Controller;

use App\DataTransferObject\SubmissionRestriction;
use App\Entity\Contest;
use App\Entity\ContestProblem;
use App\Entity\Submission;
use App\Entity\Team;
use App\Entity\TeamCategory;
use App\Service\ConfigurationService;
use App\Service\DOMJudgeService;
use App\Service\EventLogService;
use App\Service\ScoreboardService;
use App\Service\StatisticsService;
use App\Service\SubmissionService;
use App\Twig\TwigExtension;
use Doctrine\ORM\EntityManagerInterface;
use Doctrine\ORM\NonUniqueResultException;
use Symfony\Component\HttpFoundation\JsonResponse;
use Symfony\Component\HttpFoundation\RedirectResponse;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\RequestStack;
Expand All @@ -33,6 +38,8 @@ public function __construct(
protected readonly ConfigurationService $config,
protected readonly ScoreboardService $scoreboardService,
protected readonly StatisticsService $stats,
protected readonly SubmissionService $submissionService,
protected readonly TwigExtension $twigExtension,
EntityManagerInterface $em,
EventLogService $eventLog,
KernelInterface $kernel,
Expand Down Expand Up @@ -79,6 +86,18 @@ public function scoreboardAction(

if ($static) {
$data['hide_menu'] = true;
$submissions = $this->submissionService->getSubmissionList(
[$contest->getCid() => $contest],
new SubmissionRestriction(valid: true),
paginated: false
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

For long running contests we would still get a long list?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

For one team? We would if the team submits a lot. We can add this behind an option if this becomes a problem.

Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

is the modal scrollable?

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It is not, it's sorted by submission time in decreasing order.

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Note that this now uses AJAX to load the JSON data and thus is less data to transmit. We can add pagination if we want.

You can scroll in the modal btw, not sure why I said you couldn't.

)[0];

$submissionsPerTeamAndProblem = [];
foreach ($submissions as $submission) {
$submissionsPerTeamAndProblem[$submission->getTeam()->getTeamid()][$submission->getProblem()->getProbid()][] = $submission;
}
$data['submissionsPerTeamAndProblem'] = $submissionsPerTeamAndProblem;
$data['verificationRequired'] = $this->config->get('verification_required');
}

$data['current_contest'] = $contest;
Expand Down Expand Up @@ -267,4 +286,129 @@ protected function getBinaryFile(int $probId, callable $response): StreamedRespo

return $response($probId, $contest, $contestProblem);
}

#[Route(path: '/submissions/team/{teamId}/problem/{problemId}', name: 'public_submissions')]
public function submissionsAction(Request $request, string $teamId, string $problemId): Response
{
$contest = $this->dj->getCurrentContest(onlyPublic: true);

if (!$contest) {
throw $this->createNotFoundException('No active contest found');
}

/** @var Team|null $team */
$team = $this->em->getRepository(Team::class)->findOneBy(['externalid' => $teamId]);
if ($team && $team->getCategory() && !$team->getCategory()->getVisible()) {
$team = null;
}

if (!$team) {
throw $this->createNotFoundException('Team not found.');
}

/** @var ContestProblem|null $problem */
$problem = $this->em->createQueryBuilder()
->from(ContestProblem::class, 'cp')
->select('cp')
->innerJoin('cp.problem', 'p')
->andWhere('cp.contest = :contest')
->andWhere('p.externalid = :problem')
->setParameter('contest', $contest)
->setParameter('problem', $problemId)
->getQuery()
->getOneOrNullResult();

if (!$problem) {
throw $this->createNotFoundException('Problem not found');
}

$data = [
'contest' => $contest,
'problem' => $problem,
'team' => $team,
];

return $this->render('public/team_submissions.html.twig', $data);
}

#[Route(path: '/submissions-data.json', name: 'public_submissions_data')]
#[Route(path: '/submissions-data/team/{teamId}/problem/{problemId}.json', name: 'public_submissions_data_cell')]
public function submissionsDataAction(Request $request, ?string $teamId, ?string $problemId): JsonResponse
{
$contest = $this->dj->getCurrentContest(onlyPublic: true);

if (!$contest) {
throw $this->createNotFoundException('No active contest found');
}

$scoreboard = $this->scoreboardService->getScoreboard($contest);

/** @var Submission[] $submissions */
$submissions = $this->submissionService->getSubmissionList(
[$contest->getCid() => $contest],
restrictions: new SubmissionRestriction(valid: true),
paginated: false
)[0];

$submissionData = [];

// We prepend IDs with team- and problem- to make sure they are not
// consecutive integers
foreach ($scoreboard->getTeamsInDescendingOrder() as $team) {
if ($teamId && $teamId !== $team->getExternalid()) {
continue;
}
$teamKey = 'team-' . $team->getExternalid();
$submissionData[$teamKey] = [];
foreach ($scoreboard->getProblems() as $problem) {
if ($problemId && $problemId !== $problem->getExternalId()) {
continue;
}
$problemKey = 'problem-' . $problem->getExternalId();
$submissionData[$teamKey][$problemKey] = [];
}
}

$verificationRequired = $this->config->get('verification_required');

foreach ($submissions as $submission) {
$teamKey = 'team-' . $submission->getTeam()->getExternalid();
$problemKey = 'problem-' . $submission->getProblem()->getExternalid();
if ($teamId && $teamId !== $submission->getTeam()->getExternalid()) {
continue;
}
if ($problemId && $problemId !== $submission->getProblem()->getExternalid()) {
continue;
}
$submissionData[$teamKey][$problemKey][] = [
'time' => $this->twigExtension->printtime($submission->getSubmittime(), contest: $contest),
'language' => $submission->getLanguageId(),
'verdict' => $this->submissionVerdict($submission, $contest, $verificationRequired),
];
}

return new JsonResponse([
'submissions' => $submissionData,
]);
}

protected function submissionVerdict(
Submission $submission,
Contest $contest,
bool $verificationRequired
): string {
if ($submission->getSubmittime() >= $contest->getEndtime()) {
return $this->twigExtension->printResult('too-late');
}
if ($contest->getFreezetime() && $submission->getSubmittime() >= $contest->getFreezetime() && !$contest->getFreezeData()->showFinal()) {
return $this->twigExtension->printResult('');
}
if (!$submission->getJudgings()->first() || !$submission->getJudgings()->first()->getResult()) {
return $this->twigExtension->printResult('');
}
if ($verificationRequired && !$submission->getJudgings()->first()->getVerified()) {
return $this->twigExtension->printResult('');
}
return $this->twigExtension->printResult($submission->getJudgings()->first()->getResult(), onlyRejectedForIncorrect: true);
}
}
1 change: 1 addition & 0 deletions webapp/src/DataTransferObject/SubmissionRestriction.php
Original file line number Diff line number Diff line change
Expand Up @@ -69,5 +69,6 @@ public function __construct(
public ?bool $externallyJudged = null,
public ?bool $externallyVerified = null,
public ?bool $withExternalId = null,
public ?bool $valid = null,
) {}
}
9 changes: 9 additions & 0 deletions webapp/src/Service/DOMJudgeService.php
Original file line number Diff line number Diff line change
Expand Up @@ -46,6 +46,7 @@
use Symfony\Component\HttpFoundation\Cookie;
use Symfony\Component\HttpFoundation\File\UploadedFile;
use Symfony\Component\HttpFoundation\InputBag;
use Symfony\Component\HttpFoundation\JsonResponse;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\RequestStack;
use Symfony\Component\HttpFoundation\Response;
Expand Down Expand Up @@ -1507,6 +1508,7 @@ public function getScoreboardZip(
$assetRegex = '|/CHANGE_ME/([/a-z0-9_\-\.]*)(\??[/a-z0-9_\-\.=]*)|i';
preg_match_all($assetRegex, $contestPage, $assetMatches);
$contestPage = preg_replace($assetRegex, '$1$2', $contestPage);
$contestPage = str_replace('/public/submissions-data.json', 'submissions-data.json', $contestPage);

$zip = new ZipArchive();
if (!($tempFilename = tempnam($this->getDomjudgeTmpDir(), "contest-"))) {
Expand All @@ -1519,6 +1521,13 @@ public function getScoreboardZip(
}
$zip->addFromString('index.html', $contestPage);

$submissionsDataRequest = Request::create('/public/submissions-data.json', Request::METHOD_GET);
$submissionsDataRequest->setSession($this->requestStack->getSession());
/** @var JsonResponse $response */
$response = $this->httpKernel->handle($submissionsDataRequest, HttpKernelInterface::SUB_REQUEST);
$submissionsData = $response->getContent();
$zip->addFromString('submissions-data.json', $submissionsData);

$publicPath = realpath(sprintf('%s/public/', $this->projectDir));
foreach ($assetMatches[1] as $file) {
$filepath = realpath($publicPath . '/' . $file);
Expand Down
6 changes: 6 additions & 0 deletions webapp/src/Service/SubmissionService.php
Original file line number Diff line number Diff line change
Expand Up @@ -306,6 +306,12 @@ public function getSubmissionList(
->setParameter('results', $restrictions->results);
}

if (isset($restrictions->valid)) {
$queryBuilder
->andWhere('s.valid = :valid')
->setParameter('valid', $restrictions->valid);
}

if ($this->dj->shadowMode()) {
// When we are shadow, also load the external results
$queryBuilder
Expand Down
Loading
Loading