mktime

(PHP 4, PHP 5, PHP 7)

mktimeВозвращает метку времени Unix для заданной даты

Описание

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 ]]]]]]] )

Функция возвращает метку времени Unix, соответствующую дате и времени, заданным аргументами. Метка времени - это целое число, равное разнице в секундах между заданной датой/временем и началом Эпохи Unix (The Unix Epoch, 1 января 1970 00:00:00 GMT).

Аргументы могут быть опущены в порядке справа налево. В этом случае их значения по умолчанию равны соответствующим компонентам локальной даты/времени.

Примечания

Замечание:

Начиная с версии PHP 5.1, если mktime() вызывается без аргументов, то будет сгенерировано замечание уровня E_STRICT. Используйте вместо этого функцию time().

Список параметров

hour

Количество часов, прошедших с начала дня, указанного параметрами month, day и year. Отрицательные значения определяют часы до полуночи указанного дня. Значения большие 23 определяют соответствующий час следующего дня (или дней).

minute

Количество минут, прошедших от начала часа, указанного параметром hour. Отрицательные значения определяют минуты предыдущего часа. Значения большие 59 определяют соответствующие минуты следующего часа (или часов).

second

Количество секунд, прошедших от начала минуты, указанной параметром minute. Отрицательные значения определяют секунды из предыдущей минуты. Значения большие 59 определяют соответствующие секунды следующей минуты (или минут).

month

Количество месяцев, прошедших с конца предыдущего года. Значения от 1 до 12 определяют нормальные обычные календарные месяцы года. Значения меньшие 1 (включая отрицательные значения) определяют месяца предыдущего года в обратном порядке, т.е. 0 будет декабрем, -1 - ноябрем и т.д. Значения больше 12 определяют соответствующий месяц в следующем году (или годах).

day

Количество дней, прошедших с конца предыдущего месяца. Значения от 1 до 28, 29, 30 или 31 (в зависимости от месяца) определяют нормальные дни соответствующего месяца. Значения меньшие 1 (включая отрицательные значения) определяют дни предыдущего месяца, таким образом, 0 является последним днем предыдущего месяца, -1 - предпоследним днем предыдущего месяца и т.д. Значения большие количества дней соответствующего месяца определяют соответствующий день следующего месяца (или месяцев).

year

Номер года, может быть указан двумя или четырьмя цифрами, причем значения между 0-69 будут трактованы как 2000-2069, а между 70-100 - как 1970-2000. На тех системах, где time_t является 32-битным знаковым целым (наиболее распространенный вариант на сегодня), корректный диапазон для параметра year содержит даты где-то между 1901 и 2038. Однако, до версии PHP 5.1.0, на некоторых системах этот диапазон был ограничен датами между 1970 и 2038 (например, Windows).

is_dst

Данный параметр может быть установлен в 1, если заданной дате соответствует летнее время (DST), 0 в противном случае, или -1 (значение по умолчанию), если неизвестно, действует ли летнее время на заданную дату. В последнем случае PHP пытается определить это самостоятельно. Это можно привести к неожиданному результату (который, тем не менее, не будет неверным). Некоторые даты могут быть неверными, если летнее время применимо к системе, на которой запущен PHP, или параметр is_dst установлен в 1. Если переход на летнее время происходит, например, в 2:00, все даты между 2:00 и 3:00 станут некорректными и mktime() вернет неопределенное (обычно отрицательное) значение. Некоторые системы (например, Solaris 8) осуществляют переход на летнее время в полночь, так что время 0:30 дня, когда был осуществлен переход на летнее время будет обрабатываться как 23:30 предыдущего дня.

Замечание:

Начиная с версии PHP 5.1.0 этот параметр более не рекомендуется к использованию. Вместо этого рекомендуется устанавливать соответствующую временную зону.

Возвращаемые значения

mktime() возвращает временную метку Unix в соответствии с переданными аргументами. Если были переданы некорректными аргументы, функция вернет FALSE (до версии PHP 5.1 возвращалась -1).

Ошибки

Каждый вызов к функциям даты/времени при неправильных настройках временной зоны сгенерирует ошибку уровня E_NOTICE, и/или ошибку уровня E_STRICT или E_WARNING при использовании системных настроек или переменной окружения TZ. Смотрите также date_default_timezone_set()

Список изменений

Версия Описание
5.3.0 mktime() теперь выбрасывает ошибку уровня E_DEPRECATED при использовании параметра is_dst.
5.1.0 Параметр is_dst теперь считается устаревшим. Функция теперь возвращает FALSE при ошибке, тогда как раньше возвращалась -1. Теперь функция принимает дату с одновременно установленными в ноль годом, месяцем и днем.
5.1.0 Если mktime() была вызвана без аргументов, то будет сгенерировано замечание уровня E_STRICT. Используйте вместо этого функцию time().
5.1.0

Теперь ошибки, связанные с временными зонами, генерируют ошибки уровня E_STRICT и E_NOTICE.

Примеры

Пример #1 Пример использования функции mktime()

<?php
// Устанавливаем используемую по умолчанию временную зону. Доступно, начиная с версии PHP 5.1
date_default_timezone_set('UTC');

// Выводит: July 1, 2000 is on a Saturday
echo "July 1, 2000 is on a " date("l"mktime(000712000));

// Выводит что-то вроде: 2006-04-05T01:02:03+00:00
echo date('c'mktime(123452006));
?>

Пример #2 mktime() example

Функцию mktime() удобно использовать для выполнения арифметических операций с датами, так как она вычисляет верные значения при некорректных аргументах. Например, в следующем примере каждая строка выведет "Jan-01-1998".

<?php
echo date("M-d-Y"mktime(00012321997));
echo 
date("M-d-Y"mktime(0001311997));
echo 
date("M-d-Y"mktime(000111998));
echo 
date("M-d-Y"mktime(0001198));
?>

Пример #3 Последний день месяца

Последний день любого месяца можно вычислить как "нулевой" день следующего месяца, не -1 день. Оба приведенных ниже примера выведут "Последний день февраля 2000 г.: 29".

<?php
$lastday 
mktime(000302000);
echo 
strftime("Последний день февраля 2000 г.: %d"$lastday);
$lastday mktime(0004, -312000);
echo 
strftime("Последний день февраля 2000 г.: %d"$lastday);
?>

Примечания

Предостережение

До версии PHP 5.1.0, отрицательные временные метки не поддерживались ни под одной известной версией Windows, а также и некоторыми другими системами. Таким образом, диапазон корректных лет был ограничен датами от 1970 до 2038 г.

Смотрите также

  • checkdate() - Проверяет корректность даты по григорианскому календарю
  • gmmktime() - Возвращает метку времени Unix для времени по Гринвичу
  • date() - Форматирует вывод системной даты/времени
  • time() - Возвращает текущую метку времени Unix

Коментарии

Автор:
There are several warnings here about using mktime() to determine a date difference because of daylight savings time. However, nobody seems to have mentioned the other obvious problem, which is leap years.

Leap years mean that any effort to use mktime() and time() to determine the age (positive or negative) of some timestamp in years will be flawed. There are some years that are 366 days long, therefore you cannot say that there is a set number of seconds per year.

Timestamps are good for determining *real* time, which is not the same thing as *human calendar* time. The Gregorian calendar is only an approximation of real time, which is tweaked with daylight savings time and leap years to make it conform more to humans' expectations of how time should or ought to work. Timestamps are not tweaked and therefore are the only authoritative way of recording in computers a proper order of succession of events, but they cannot be integrated with a Gregorian system unless you take both leap years and DST into account. Otherwise, you may get the wrong number of years when you are approaching a value of exactly X years.

As for PHP, you could still use timestamps as a way of determining age if you took into account not only DST but also whether or not each year is a leap year and adjusted your calculations accordingly. However, this could become messy and inefficient. 

There is an alternative approach to calculating days given the day, month and year of the dates to be compared. Compare the years first, and then compare the month and day - if the month and day have already passed (or, if you like, if they match the current month and day), then add 1 to the total for the years. 

This solution works because it stays within the Gregorian system and doesn't venture into the world of timestamps.

There is also the issue of leap seconds, but this will only arise if you literally need to get the *exact* age in seconds. In that case, of course, you would also need to verify that your timestamps are exactly correct and are not delayed by script processing time, plus you would need to determine whether your system conforms to UTC, etc. I expect this will hardly be an issue for anybody using PHP, however if you are interested there is an article on this issue on Wikipedia:

http://en.wikipedia.org/wiki/Leap_second
2007-01-08 04:43:06
http://php5.kiev.ua/manual/ru/function.mktime.html
You cannot simply subtract or add month VARs using mktime to obtain previous or next months as suggested in previous user comments (at least not with a DD > 28 anyway).

If the date is 03-31-2007, the following yeilds March as a previous month. Not what you wanted.

<?php
$dateMinusOneMonth 
mktime(000, (3-1), 312007 );
$lastmonth date("n | F"$dateMinusOneMonth);
echo 
$lastmonth;    //---> 3 | March
?>

mktime correctly gives you back the 3rd of March if you subtract 1 month from March 31 (there are only 28 days in Feb 07).

If you are just looking to do month and year arithmetic using mktime, you can use general days like 1 or 28 to do stuff like this:

<?php
$d_daysinmonth 
date('t'mktime(0,0,0,$myMonth,1,$myYear));     // how many days in month
$d_year date('Y'mktime(0,0,0,$myMonth,1,$myYear));        // year
$d_isleapyear date('L'mktime(0,0,0,$myMonth,1,$myYear));    // is YYYY a leapyear?

$d_firstdow date('w'mktime(0,0,0,$myMonth,'1',$myYear));     // FIRST falls on what day of week (0-6)
$d_firstname date('l'mktime(0,0,0,$myMonth,'1',$myYear));     // FIRST falls on what day of week Full Name

$d_month date('n'mktime(0,0,0,$myMonth,28,$myYear));         // month of year (1-12)
$d_monthname date('F'mktime(0,0,0,$myMonth,28,$myYear));         // Month Long name (July)
$d_month_previous date('n'mktime(0,0,0,($myMonth-1),28,$myYear));         // PREVIOUS month of year (1-12)
$d_monthname_previous date('F'mktime(0,0,0,($myMonth-1),28,$myYear));     // PREVIOUS Month Long name (July)
$d_month_next date('n'mktime(0,0,0,($myMonth+1),28,$myYear));         // NEXT month of year (1-12)
$d_monthname_next date('F'mktime(0,0,0,($myMonth+1),28,$myYear));         // NEXT Month Long name (July)
$d_year_previous date('Y'mktime(0,0,0,$myMonth,28,($myYear-1)));        // PREVIOUS year
$d_year_next date('Y'mktime(0,0,0,$myMonth,28,($myYear+1)));        // NEXT year

$d_weeksleft = (52 $d_weekofyear);                     // how many weeks left in year
$d_daysinyear $d_isleapyear 366 365;                // set correct days in year for leap years
$d_daysleft = ($d_daysinyear $d_dayofyear);                // how many days left in year
?>
2007-03-31 11:46:06
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
Finding out the number of days in a given month and year, accounting for leap years when February has more than 28 days.

<?php
function days_in_month($year$month) {
    return( 
date"t"mktime000$month1$year) ) );
}
?>

Hope it helps a soul out there.
2007-07-17 00:52:47
http://php5.kiev.ua/manual/ru/function.mktime.html
The maximum possible date accepted by mktime() and gmmktime() is dependent on the current location time zone.

For example, the 32-bit timestamp overflow occurs at 2038-01-19T03:14:08+0000Z.  But if you're in a UTC -0500 time zone (such as EST in North America), the maximum accepted time before overflow (for older PHP versions on Windows) is 2038-01-18T22:14:07-0500Z, regardless of whether you're passing it to mktime() or gmmktime().
2007-09-06 13:58:29
http://php5.kiev.ua/manual/ru/function.mktime.html
Just a small thing to think about if you are only trying to pull the month out using mktime and date.  Make sure you place a 1 into day field.  Otherwise you will get incorrect dates when a month is followed by a month with less days when the day of the current month is higher then the max day of the month you are trying to find.. (Such as today being Jan 30th and trying to find the month Feb.)
2008-01-30 14:58:39
http://php5.kiev.ua/manual/ru/function.mktime.html
It seems mktime() doesn't return negative timestamps on Linux systems with a version of glibc <= 2.3.3.
2008-05-13 10:34:21
http://php5.kiev.ua/manual/ru/function.mktime.html
If you want to increment the day based on a variable when using a loop you can use this when you submit a form

1. Establish a start date and end date in two different variables

2. Get the number of days between a date

$ndays = (strtotime($_POST['edate']) - strtotime($_POST['sdate'])) / (60 * 60 * 24);

Then here is the string you slip in your loop

$nextday  = date('Y-m-d', mktime(0, 0, 0, date("m", strtotime($_POST['sdate']))  , date("d", strtotime($_POST['sdate']))+ $count, date("Y", strtotime($_POST['sdate']))));

$count is incremented by the loop.
2008-09-01 18:56:14
http://php5.kiev.ua/manual/ru/function.mktime.html
Here is what I use to calculate age. It took me 30 minutes to write and it's quite accurate. What it has special is that it's calculating the number of days a year has (float number), by testing if a year is a leap one or not. This number is used to compute the age.

<?php
function get_age($date_start$date_end) {
   
$t_lived get_timestamp($date_end) - get_timestamp($date_start);
   
$seconds_one_year get_days_per_year($date_start$date_end) * 24 60 60;
   
$age = array();
   
$age['years_exact'] = $t_lived $seconds_one_year;
   
$age['years'] = floor($t_lived $seconds_one_year);
   
$seconds_remaining $t_lived $seconds_one_year;
   
$age['days'] = round($seconds_remaining / (24 60 60));
    return 
$age;
}
function 
get_timestamp($date) {
    list(
$y$m$d) = explode('-'$date);
    return 
mktime(000$m$d$y);
}
function 
get_days_per_year($date_start$date_end) {
    list(
$y1) = explode('-'$date_start);
    list(
$y2) = explode('-'$date_end);
   
$years_days = array();
    for(
$y $y1$y <= $y2$y++) {
       
$years_days[] = date('L'mktime(00011$y)) ? 366 365;
    }
    return 
round(array_sum($years_days) / count($years_days), 2);
}

$date_birth '1979-10-12';
$date_now date('Y-m-d');

$age get_age($date_birth$date_now);
echo 
'<pre>';
print_r($age);
echo 
'</pre>';
?>


It will display something like this:
Array
(
    [years_exact] => 28.972974329491
    [years] => 28
    [days] => 355
)
2008-10-02 11:29:54
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
caculate days between two date

<?php
 
// end date is 2008 Oct. 11 00:00:00
 
$_endDate mktime(0,0,0,11,10,2008);
 
// begin date is 2007 May 31 13:26:26
 
$_beginDate mktime(13,26,26,05,31,2007);

 
$timestamp_diff$_endDate-$_beginDate +;
 
// how many days between those two date
 
$days_diff $timestamp_diff/86400;

?>
2008-11-10 07:50:06
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
Do remember that, counter-intuitively enough, the arguments for month and day are inversed (or middle-endian). A common mistake for Europeans seems to be to feed the date arguments in the expected order (big endian or little endian).

It's clear to see where this weird order comes from (even with the date being big endian the order for all arguments would still be mixed - it's obviously based on the American date format with the time "prefixed" to allow an easier shorthand) and why this wasn't changed (passing the values in the wrong order produces a valid, though unexpected, result in most cases), but it continues to be a source of confusion for me whenever I come back to PHP from other languages or libraries.
2008-11-18 09:52:32
http://php5.kiev.ua/manual/ru/function.mktime.html
Add (and subtract) unixtime:

<?php
function utime_add($unixtime$hr=0$min=0$sec=0$mon=0$day=0$yr=0) {
 
$dt localtime($unixtimetrue);
 
$unixnewtime mktime(
     
$dt['tm_hour']+$hr$dt['tm_min']+$min$dt['tm_sec']+$sec,
     
$dt['tm_mon']+1+$mon$dt['tm_mday']+$day$dt['tm_year']+1900+$yr);
  return 
$unixnewtime;
}
?>
2009-01-16 11:49:27
http://php5.kiev.ua/manual/ru/function.mktime.html
to ADD or SUBSTRACT times NOTE that if you dont specify the UTC zone your result is the difference +- your server UTC delay.

if you are ina utc/GMT +1

<?php
$hours_diff 
strtotime("20:00:00")-strtotime("19:00:00");
echo 
date('h:i'$hours_diff)." Hours";
?>

it shows: 02:00 Hours

but if you use a default UTC time:

<?php
date_default_timezone_set
('UTC');
$hours_diff strtotime("20:00:00")-strtotime("19:00:00");
echo 
"<br>"date('h:i'$hours_diff);
?>

it shows: 01:00 Hours.
2009-09-08 14:36:57
http://php5.kiev.ua/manual/ru/function.mktime.html
Proper way to convert Excel dates into PHP-friendly timestamps using mktime():

<?php
// The date 6/30/2009 is stored as 39994 in Excel
$days 39994;

// But you must subtract 1 to get the correct timestamp
$ts mktime(0,0,0,1,$days-1,1900);

// So, this would then match Excel's representation:
echo date("m/d/Y",$ts);
?>

Excel uses "number of days since Jan. 1, 1900" to store its dates.  It also treats 1900 as a leap year when it wasn't, thus there is an extra day which must be accounted for in PHP (and the rest of the world).  Subtracting 1 from Excel's number will fix this problem.
2010-03-16 16:18:21
http://php5.kiev.ua/manual/ru/function.mktime.html
I was using the following to get a list of month names.

for ($i=1; $i<13; $i++) {
  echo date('F', mktime(0,0,0,$i) . ",";
}

Normally this outputs -
January,February,March,April,May,June,July,August,
September,October,November,December

However if today's date is the 31st you get instead:
January,March,March,May,May,July,July,August,October,
October,December,December

Why? Because Feb,Apr,June,Sept, and Nov don't have 31 days!

The fix, add the 5th parameter, don't let the day of month default to today's date:

  echo date('F', mktime(0,0,0,$i,1) . ",";
2010-08-31 17:01:22
http://php5.kiev.ua/manual/ru/function.mktime.html
Function to generate array of dates between two dates (date range array)

<?php
function dates_range($date1$date2)
{
   if (
$date1<$date2)
   {
       
$dates_range[]=$date1;
       
$date1=strtotime($date1);
       
$date2=strtotime($date2);
       while (
$date1!=$date2)
       {
           
$date1=mktime(000date("m"$date1), date("d"$date1)+1date("Y"$date1));
           
$dates_range[]=date('Y-m-d'$date1);
       }
   }
   return 
$dates_range;
}

echo 
'<pre>';
print_r(dates_range('2009-12-25''2010-01-05'));
echo 
'</pre>';
?>

[EDIT BY danbrown AT php DOT net: Contains a bugfix submitted by (carlosbuz2 AT gmail DOT com) on 04-MAR-2011, with the following note: The first date in array is incorrect.]
2010-11-03 09:42:18
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
Please note that incrementing a date using mktime in a loop is not proper. You could do it, except that there is a far better method found in the DateTime PHP class. Look at the documentation for DateTime::modify, DateTime::add (when supported) and DateTime::sub (when supported).

Also, adding seconds to a time is, well it isn't as easy as it seems, "Hey I'll just add 3600 seconds or 86400 seconds or x seconds!". The phrase once bitten, twice shy is quite applicable with the usage of adding seconds. If you ever had to 'fix' a time by calculating midnight to add the correct number of seconds, then you are doing it wrong. 

Luckily, knowing is not a requirement, because DateTime and friends exists, removing the complexity for you.

So if given a choice of

mktime($seconds, $minutes, $hours+1);

and

$datetime->modify('+1 hour');

or

$datetime->add('P1H');

I'll go with the second choice, but probably not the third, unless I was using DateInterval::createFromDateString, so that other developers knew my intent.
2012-11-09 18:17:05
http://php5.kiev.ua/manual/ru/function.mktime.html
raw date to clean timestamp
 private function dateToTimestamp($date){
        $datefrom = explode(" ", $date);
        $value = array();
        if(strpos($datefrom[0], '-')){
            //print "issplit -";
            $value = explode("-", $datefrom[0]);
        }
        if(strpos($datefrom[0], '/')){
            //print "issplit /";
            $value = explode("/", $datefrom[0]);
        }
        /*if(){
           
        }*/
        if(strlen($value[2])==4){//13/12/2012
            //int mktime([hour[minute[second[month[day[year
            return mktime(0, 0, 0,$value[1],$value[0],$value[2]);
        }else{                  //2012/12/13
            //int mktime([hour[minute[second[month[day[year
            return mktime(0, 0, 0,$value[1],$value[2],$value[0]);
        }
    }
2013-09-02 15:03:04
http://php5.kiev.ua/manual/ru/function.mktime.html
this function returns the number of days of a provided month and year, it consider the actual rules for leap years 

(if the year is multiple of 4 which is not a multiple of 100 unless multiple of thousand then is a leap)
Regards, hope this function solves any issue :)

function daysinmonth($month,$year) {
$dim = 0;
switch ($month) {
    case 1:
    case 3:
    case 5:
    case 7:
    case 8:
    case 10:
    case 12:
        $dim=31;
        break;
    case 4:
    case 6:
    case 9:
    case 11:
        $dim=30;
        break;
    case 2:
        if($year%4==0) {
            if($year%100==0) {
                if($year%1000==0) { $dim=29; } else { $dim=28; }
            } else {
                $dim=29;
            }
        } else {$dim=28;}
        break;
    }
    return($dim); 
}
2014-03-05 22:01:28
http://php5.kiev.ua/manual/ru/function.mktime.html
Just a simple function to return mktime from a db (mysql) datetime (Y-m-d H:i:s):

function retMktimest($dbdate) {
  return mktime(substr($dbdate, 11, 2), substr($dbdate, 14, 2), substr($dbdate, 17, 2), substr($dbdate, 5, 2), substr($dbdate, 8, 2), substr($dbdate, 0, 4));
}
2014-03-15 14:02:08
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
Be careful passing zeros into mktime, in most cases a zero will count as the previous unit of time. The documentation explains this yet most of the comments here still use zeroes.

For example, if you pass the year 2013 into mktime, with zeroes for everything else, the outcome is probably not what you are looking for.

<?php
echo date('F jS, Y g:i:s a'mktime(000002013)); 
// November 30th, 2012 12:00:00 am
?>

Instead of using 0's, try 1's. This makes more sense (except for minutes/seconds). Maybe not as obvious of a purpose as zeroes to other programmers, though.

<?php
echo date('F jS, Y g:i:s a'mktime(111112013));
// January 1st, 2013 1:01:01 am
?>
2014-03-27 07:31:34
http://php5.kiev.ua/manual/ru/function.mktime.html
Pay attention that not all days have the same number of seconds (86400s) if you are using date_default_timezone_set(..) and the used timezone has Daylight Saving Time (DST) e.g. "Europe/Berlin". Under PHP 5.5.16 I get the following results:

  $shortday  = mktime(23,59,59, '3','29','2015') - mktime(0,0,0, '3','29','2015) + 1; // result: 82800s  (86400s - 3600s)
  $normalDay = mktime(23,59,59, '1', '2','2015') - mktime(0,0,0, '1', '1','2015) + 1; // result: 86400s 
  $longDay   = mktime(23,59,59,'10','25','2015') - mktime(0,0,0,'10','25','2015) + 1; // result: 90000s  (86400s + 3600s)

Pitfall is noticeable if you are running an iterative loop with a code like:
   echo date( 'd.m.Y', $day );
   $day = $day + 86400;   // 86400 = 24*3600 - frequently used in PHP code

which results in wrong date if $day reaches 2015-10-25 (end of summer time in Germany):
    24.10.2015
    25.10.2015   
    25.10.2015   // Ups! Same date twice in calendar
    27.10.2015

You may workaround this by using date_default_timezone_set('UTC') where all days have the same number of seconds.
2015-03-26 02:18:32
http://php5.kiev.ua/manual/ru/function.mktime.html
One practical and useful example of using negative values in mktime is the following:

<?php
//Considering today's date
echo date('Y-m-d'); //Prints: 2016-03-22
echo date('Y-m-d'mktime(000date("m"), date("d")-42date("Y"))); //Prints: 2016-02-09
?>

By using date outputs inside mktime and adding or subtracting from them may be simpler than using other methods (string concatenations or timestamp values) and less prone to human calculations' errors.
2016-03-22 14:42:10
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
Please mind function is timezone dependent. Timezone independent funciton is gmmktime
2016-04-26 17:33:49
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
What's odd is that mktime doesn't seem to support every possible year number. It's common sense that 2 digit (shortened) year numbers are interpreted in the range 1970..2069

However, when padded with zeroes, no such transformation should happen (at least that is the behaviour of other date functions). Unfortunately it does (until year 100 *inclusive*):

<?php
echo date("Y-m-d",mktime(0,0,0,1,1,"0001"));
// Expected: 0001-01-01
// Result:   2001-01-01      INCORRECT

echo date("Y-m-d",mktime(0,0,0,1,1,"0100"));
// Expected: 0100-01-01
// Result:   2000-01-01      INCORRECT

echo date("Y-m-d",mktime(0,0,0,1,1,"0101"));
// Expected: 0101-01-01
// Result:   0101-01-01      Correct
?>
2016-10-28 14:52:22
http://php5.kiev.ua/manual/ru/function.mktime.html
Автор:
// here is the function which returns the Unix timestamp of last date of quarter, by  quarter number:
function last_day_of_quarter($q) {
  return mktime(0, 0, 0, floor($q*3), $q == 1 || $q == 4 ? 31 : 30);
}
2017-03-27 21:12:29
http://php5.kiev.ua/manual/ru/function.mktime.html
The following function moves all the parameters in order of most significant (biggest) to least significant (smallest) order.
Year is bigger than month. Month is bigger than day. Day bigger than hours...

Much less confusing than mktime order.

<?php
function mkTimestamp($year,$month,$day$hours=0,$minutes=0,$seconds=0){
 
// Same as mktime() but parameters are in most significant to least significant order.
 
return mktime($hours,$minutes,$seconds$month,$day,$year);
}
?>
2017-05-21 19:36:56
http://php5.kiev.ua/manual/ru/function.mktime.html
Please note, mktime requires an integer value, if you use date("H"), date("i"), date("s") as a value, which is actually have a leading zero, you may get "A non well formed numeric value encountered" notice. so you need some tricks like this

mktime( date("G"), intval(date("i")), intval(date("s"), date("n"), date("j"), date("Y") )

Since there are no minute & second without leading zero in the date function, we can use the intval() function or you can cast value type like this to force the value type.

(int) date("i")
2018-02-17 18:46:29
http://php5.kiev.ua/manual/ru/function.mktime.html

    Поддержать сайт на родительском проекте КГБ