Add day 8

This commit is contained in:
2021-12-09 23:22:12 +01:00
parent 55e4e62d97
commit 68438e8e75
3 changed files with 196 additions and 1 deletions

View File

@ -1,8 +1,39 @@
<?php
namespace AdventOfCode21\Utils;
namespace trizz\AdventOfCode\Utils;
class Arr
{
/**
* Flatten a multi-dimensional array into a single level.
*
* Based on:
*
* @see https://github.com/laravel/framework/blob/c16367a1af68d8f3a1addc1a819f9864334e2c66/src/Illuminate/Collections/Arr.php#L221-L249
*
* @param iterable $array
* @param float|int $depth
*
* @return array
*/
public static function flatten(iterable $array, float|int $depth = INF)
{
$result = [];
foreach ($array as $item) {
if (!is_array($item)) {
$result[] = $item;
} else {
$values = $depth === 1
? array_values($item)
: static::flatten($item, $depth - 1);
foreach ($values as $value) {
$result[] = $value;
}
}
}
return $result;
}
}

35
src/Utils/Str.php Normal file
View File

@ -0,0 +1,35 @@
<?php
namespace trizz\AdventOfCode\Utils;
class Str
{
/**
* Check if the entirety of string two matches string one.
*
* @see https://github.com/MueR/adventofcode/blob/master/src/Util/StringUtil.php
*/
public static function matchesAll(string $one, string $two): bool
{
for ($index = 0, $length = strlen($two); $index < $length; $index++) {
if (!str_contains($one, $two[$index])) {
return false;
}
}
return true;
}
/**
* Alphabetically sort characters in a string.
*
* @see https://github.com/MueR/adventofcode/blob/master/src/Util/StringUtil.php
*/
public static function sort(string $string): string
{
$letters = array_unique(str_split($string));
sort($letters, SORT_STRING);
return implode('', $letters);
}
}