Move solutions out of the source itself
All checks were successful
continuous-integration/drone/push Build is passing

This commit is contained in:
2023-12-03 20:47:53 +01:00
parent 5c86431824
commit 68583b1b84
22 changed files with 71 additions and 69 deletions

71
data/Y22/day2/Day2.php Normal file
View File

@ -0,0 +1,71 @@
<?php
namespace trizz\AdventOfCode\Y22;
use trizz\AdventOfCode\Solution;
use trizz\AdventOfCode\Y22\Day2\RPS;
final class Day2 extends Solution
{
public static null|int|string $part1ExampleResult = 15;
public static null|int|string $part1Result = 10994;
public static null|int|string $part2ExampleResult = 12;
public static null|int|string $part2Result = 12526;
public function __construct()
{
require_once __DIR__.'/RPS.php';
}
#[\Override]
public function part1(array $data): int
{
$score = 0;
foreach ($data as $round) {
[$opponentDraw, $ownDraw] = explode(' ', $round);
$ownDraw = RPS::fromPuzzleInput($ownDraw);
$opponentDraw = RPS::fromPuzzleInput($opponentDraw);
$score += $this->calculateScore($ownDraw, $opponentDraw);
}
return $score;
}
#[\Override]
public function part2(array $data): int
{
$score = 0;
foreach ($data as $round) {
[$opponentDraw, $expectedResult] = explode(' ', $round);
$opponentDraw = RPS::fromPuzzleInput($opponentDraw);
$score += match ($expectedResult) {
'X' => $this->calculateScore($opponentDraw->losingOpposite(), $opponentDraw),
'Y' => $this->calculateScore($opponentDraw, $opponentDraw),
'Z' => $this->calculateScore($opponentDraw->winningOpposite(), $opponentDraw),
default => 0,
};
}
return $score;
}
private function calculateScore(RPS $ownDraw, RPS $opponentDraw): int
{
// Win
if ($ownDraw->losingOpposite() === $opponentDraw) {
return $ownDraw->score() + 6;
}
// Lost
if ($ownDraw->winningOpposite() === $opponentDraw) {
return $ownDraw->score();
}
// Draw.
return $ownDraw->score() + 3;
}
}

49
data/Y22/day2/RPS.php Normal file
View File

@ -0,0 +1,49 @@
<?php
namespace trizz\AdventOfCode\Y22\Day2;
enum RPS
{
case ROCK;
case PAPER;
case SCISSORS;
public function score(): int
{
return match ($this) {
self::ROCK => 1,
self::PAPER => 2,
self::SCISSORS => 3,
};
}
public function winningOpposite(): RPS
{
return match ($this) {
self::ROCK => self::PAPER,
self::PAPER => self::SCISSORS,
self::SCISSORS => self::ROCK,
};
}
public function losingOpposite(): RPS
{
return match ($this) {
self::ROCK => self::SCISSORS,
self::PAPER => self::ROCK,
self::SCISSORS => self::PAPER,
};
}
public static function fromPuzzleInput(string $value): RPS
{
return match ($value) {
'A', 'X' => self::ROCK,
'B', 'Y' => self::PAPER,
'C', 'Z' => self::SCISSORS,
default => throw new \LogicException('Invalid value.'),
};
}
}