我有一个输入日期的文本框。
如果用户输入的日期是将来还是今天,代码应该是什么样的?
我还希望用户以dd / mm / yyyy格式输入日期。
如果其中任何一个失败,代码将会出错。
答案 0 :(得分:5)
您也可以使用DateTime类进行此比较:
$now = new DateTime();
$user_date = DateTime::createFromFormat('d/m/Y', $userDate);
if ($user_date >= $now)
{
echo 'Date is not in the past';
}
答案 1 :(得分:0)
使用
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()
如果它大于零,那就是将来
答案 2 :(得分:0)
我推荐这个解决方案:
/**
* 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;
}
}
编辑:请注意,第一个代码块检查日期是否在未来,而第二个示例是为了拥有一个可扩展的类,以便其他日期类(Birthday,InvoiceDate等...)可以从无需重复代码。你可以将它放在一个方法中,并在每次需要时保持复制和粘贴它,或者只是从它扩展,知道它可以全面工作。
我的例子同时接受“d-m-Y”和“d / m / Y”并相应地处理格式。在一天结束时,你仍然有一个php DateTimeImmutable对象,但它知道如何构建自己。