我有一个文本框来输入日期。
检查用户输入的日期是未来还是今天的代码应该是什么样子?
我还希望用户以 dd/mm/yyyy 格式输入日期。
如果其中任何一个失败,代码将给出错误。
我有一个文本框来输入日期。
检查用户输入的日期是未来还是今天的代码应该是什么样子?
我还希望用户以 dd/mm/yyyy 格式输入日期。
如果其中任何一个失败,代码将给出错误。
您也可以使用DateTime类进行此比较:
$now = new DateTime();
$user_date = DateTime::createFromFormat('d/m/Y', $userDate);
if ($user_date >= $now)
{
echo 'Date is not in the past';
}
利用
int mktime ([ int $hour = date("H") [, int $minute = date("i") [, int $second = date("s") [, int $month = date("n") [, int $day = date("j") [, int $year = date("Y") [, int $is_dst = -1 ]]]]]]] )
从手册页
所以填写参数并减去
time()
如果它大于零,它是在未来
我推荐这个解决方案:
/**
* Is future date
*
* Checks if given date is today
* or in the future.
*
* @param string $date
*
*
* @return bool
*
*/
protected function isFutureDate($date)
{
// assuming the date is in this format
// (I use value objects for these things so that
// I don't have to repeat myself)
$date = DateTimeImmutable::createFromFormat('d-m-Y', $date);
$today = DateTimeImmutable::createFromMutable(new DateTime());
return $date->getTimestamp() >= $today->getTimestamp();
}
我使用以下 Date 对象,该对象由任何其他日期类扩展。其他日期类将有自己的规则(例如日期必须在未来等......),这些规则从这个基类扩展:
/**
* Class DateValueObject
*
*
*
* @package Hidden\Model\Shared\ValueObject
*
*/
abstract class DateValueObject extends ValueObject
implements DateValueObjectContract
{
/**
* @var DateValueObject
*
*/
protected $value;
/**
* Initialises the Date.
*
* @param $date
*
* @throws InvalidDateException
*
*/
public function __construct($date)
{
if (is_string($date)) {
$this->value = $this->setDate($date);
} else {
throw new InvalidDateException(
'String Expected. Got: ' .$date
);
}
}
/**
* Set valid date.
*
* @param string $date
*
* @return DateTimeImmutable
*
* @throws InvalidDateException
*/
protected function setDate($date)
{
try {
$d = DateTimeImmutable::createFromFormat('d-m-Y', $date);
if($d && $d->format('d-m-Y') == $date) {
return $d;
} else {
$d = DateTimeImmutable::createFromFormat('d/m/Y', $date);
if($d && $d->format('d/m/Y') == $date) {
return $d;
}
throw new InvalidDateException(
'Date cannot be formatted: ' .$date
);
}
} catch (\Exception $e) {
throw new InvalidDateException(
'For date: ' .$date .' with message' .$e->getMessage()
);
}
}
/**
* Get the date to string
*
* @param string $format
*
* @return string
*
*/
public function toString($format = 'd/m/Y')
{
return $this->value->format($format);
}
/**
* Get the date as immutable object.
*
*
* @return DateTimeImmutable|Date
*
*/
public function toDateObject()
{
return $this->value;
}
}
编辑:请注意,第一个代码块检查日期是否在未来,而第二个示例用于具有可扩展类,以便其他日期类(生日、发票日期等)可以扩展而无需重复代码。您可以将它放在一个方法中,并在每次需要时复制和粘贴它,或者只是从它扩展,知道它可以全面工作。
我的示例同时接受“dmY”和“d/m/Y”并相应地处理格式。归根结底,您仍然有一个 php DateTimeImmutable 对象,但它知道如何构建自己。