phpOMS/Utils/Encoding/Caesar.php
2023-11-26 21:26:16 +00:00

119 lines
2.3 KiB
PHP
Executable File

<?php
/**
* Jingga
*
* PHP Version 8.1
*
* @package phpOMS\Utils\Encoding
* @copyright Dennis Eichhorn
* @license OMS License 2.0
* @version 1.0.0
* @link https://jingga.app
*/
declare(strict_types=1);
namespace phpOMS\Utils\Encoding;
/**
* Gray encoding class
*
* @package phpOMS\Utils\Encoding
* @license OMS License 2.0
* @link https://jingga.app
* @since 1.0.0
*/
class Caesar
{
/**
* ASCII lower char limit.
*
* @var int
* @since 1.0.0
*/
public const LIMIT_LOWER = 0;
/**
* ASCII upper char limit.
*
* @var int
* @since 1.0.0
*/
public const LIMIT_UPPER = 127;
/**
* Constructor.
*
* @since 1.0.0
* @codeCoverageIgnore
*/
private function __construct()
{
}
/**
* Encode source text
*
* @param string $source Source to encode
* @param string $key Key used for encoding
*
* @return string
*
* @since 1.0.0
*/
public static function encode(string $source, string $key) : string
{
$result = '';
$length = \strlen($source);
$keyLength = \strlen($key) - 1;
for ($i = 0, $j = 0; $i < $length; ++$i, ++$j) {
if ($j > $keyLength) {
$j = 0;
}
$ascii = \ord($source[$i]) + \ord($key[$j]);
if ($ascii > self::LIMIT_UPPER) {
$ascii = self::LIMIT_LOWER + ($ascii - self::LIMIT_UPPER);
}
$result .= \chr($ascii);
}
return $result;
}
/**
* Decode text
*
* @param string $raw Source to encode
* @param string $key Key used for decoding
*
* @return string
*
* @since 1.0.0
*/
public static function decode(string $raw, string $key) : string
{
$result = '';
$length = \strlen($raw);
$keyLength = \strlen($key) - 1;
for ($i = 0, $j = 0; $i < $length; ++$i, ++$j) {
if ($j > $keyLength) {
$j = 0;
}
$ascii = \ord($raw[$i]) - \ord($key[$j]);
if ($ascii < self::LIMIT_LOWER) {
$ascii = self::LIMIT_UPPER + ($ascii - self::LIMIT_LOWER);
}
$result .= \chr($ascii);
}
return $result;
}
}