respect-validation/library/Rules/Length.php
Alexandre Gomes Gaigalas ab3732f91f Use SPDX IDs for licensing
SPDX IDs are shorter than licensing notes previously used, and
adhere better to FOSS standards. It is also machine-readable.
2023-02-19 00:19:10 -03:00

131 lines
2.9 KiB
PHP

<?php
/*
* Copyright (c) Alexandre Gomes Gaigalas <alganet@gmail.com>
* SPDX-License-Identifier: MIT
*/
declare(strict_types=1);
namespace Respect\Validation\Rules;
use Countable as CountableInterface;
use Respect\Validation\Exceptions\ComponentException;
use function count;
use function get_object_vars;
use function is_array;
use function is_int;
use function is_object;
use function is_string;
use function mb_strlen;
use function sprintf;
/**
* Validates the length of the given input.
*
* @author Alexandre Gomes Gaigalas <alganet@gmail.com>
* @author Blake Hair <blake.hair@gmail.com>
* @author Danilo Correa <danilosilva87@gmail.com>
* @author Henrique Moody <henriquemoody@gmail.com>
* @author Hugo Hamon <hugo.hamon@sensiolabs.com>
* @author João Torquato <joao.otl@gmail.com>
* @author Marcelo Araujo <msaraujo@php.net>
*/
final class Length extends AbstractRule
{
/**
* @var int|null
*/
private $minValue;
/**
* @var int|null
*/
private $maxValue;
/**
* @var bool
*/
private $inclusive;
/**
* Creates the rule with a minimum and maximum value.
*
* @throws ComponentException
*/
public function __construct(?int $min = null, ?int $max = null, bool $inclusive = true)
{
$this->minValue = $min;
$this->maxValue = $max;
$this->inclusive = $inclusive;
if ($max !== null && $min > $max) {
throw new ComponentException(sprintf('%d cannot be less than %d for validation', $min, $max));
}
}
/**
* {@inheritDoc}
*/
public function validate($input): bool
{
$length = $this->extractLength($input);
if ($length === null) {
return false;
}
return $this->validateMin($length) && $this->validateMax($length);
}
/**
* @param mixed $input
*/
private function extractLength($input): ?int
{
if (is_string($input)) {
return (int) mb_strlen($input);
}
if (is_array($input) || $input instanceof CountableInterface) {
return count($input);
}
if (is_object($input)) {
return $this->extractLength(get_object_vars($input));
}
if (is_int($input)) {
return $this->extractLength((string) $input);
}
return null;
}
private function validateMin(int $length): bool
{
if ($this->minValue === null) {
return true;
}
if ($this->inclusive) {
return $length >= $this->minValue;
}
return $length > $this->minValue;
}
private function validateMax(int $length): bool
{
if ($this->maxValue === null) {
return true;
}
if ($this->inclusive) {
return $length <= $this->maxValue;
}
return $length < $this->maxValue;
}
}