在上一篇文章《PHP函數運用之計算截止某年某月某日共有多少天》中,我們介紹了利用strtotime()函數計算兩個給定日期間時間差的方法。這次我們來看看給大一個指定日期,怎麼回到它前一天和後一天的日期。有興趣的朋友可以學習了解~
本文的重點是:回到給定時間的前一天、後一天的日期。那麼要怎麼操作呢?
其實很簡單,PHP內建的strtotime() 函數就可以實現這個運算!下面來看看我的實作方法:
傳回某個日期的前一天的實作程式碼
<?php function GetTime($year,$month,$day){ $timestamp = strtotime("{$year}-{$month}-{$day}"); $time = strtotime("-1 days",$timestamp); echo date("Y-m-d",$time)."<br>"; } GetTime(2000,3,1); GetTime(2021,1,1); ?>
輸出結果:
傳回某個日期的後一天的實作代碼
<?php function GetTime($year,$month,$day){ $timestamp = strtotime("{$year}-{$month}-{$day}"); $time = strtotime("+1 days",$timestamp); echo date("Y-m-d",$time)."<br>"; } GetTime(2000,2,28); GetTime(2021,2,28); ?>
輸出結果:
分析關鍵程式碼:
strtotime()函數有兩種用法:一種是將字串形式的、用英文文字描述的日期時間解析為UNIX 時間戳,一種是用來計算一些日期時間的間隔。
我們利用strtotime() 函數計算時間間隔的功能,使用strtotime("-1 days",$timestamp)
和strtotime(" 1 days",$timestamp)<br>
計算指定日期前一天和後一天的日期。
"-1 days
"就是減一天," 1 days
"就是加一天;觀察規律,我們還可以根據需要取得前N天,後N天的日期
<?php function GetTime($year,$month,$day){ $timestamp = strtotime("{$year}-{$month}-{$day}"); $time1 = strtotime("-2 days",$timestamp); $time2 = strtotime("+3 days",$timestamp); echo date("Y-m-d",$time1)."<br>"; echo date("Y-m-d",$time2)."<br>"; } GetTime(2000,3,5); ?>
#當strtotime() 函數有兩個參數時,第二個參數必須是時間戳格式。所以我們需要先使用一次 strtotime()函數將字串形式的指定日期轉為字串;在使用一次 strtotime()函數進行日期的加減運算,取得算前N天和後N天的日期。
strtotime() 函數的傳回值是時間戳格式的;所以需要使用date("Y-m-d",$time)
來格式化日期時間,返回年-月-日
格式的日期。
擴充知識:
#其實利用strtotime() 函數,不只可以取得前N天和後N天日期,還可以取得前N月和後N月日期、前N年、後N年日期:
<?php $month1 = strtotime("-1 months",strtotime("2000-1-2")); $month2 = strtotime("+2 months",strtotime("2000-1-2")); echo date("Y-m-d",$month1)."<br>"; echo date("Y-m-d",$month2)."<br><br>"; $year1 = strtotime("-1 years",strtotime("2000-1-2")); $year2 = strtotime("+2 years",strtotime("2000-1-2")); echo date("Y-m-d",$year1)."<br>"; echo date("Y-m-d",$year2)."<br>"; ?>輸出結果:
取得前一週和後一週的日期,也可以利用strtotime() 函數。例如:目前日期2021-8-19,前一週和後一週的日期為:
<?php header("content-type:text/html;charset=utf-8"); $start = time(); //获取当前时间的时间戳 echo "当前日期为:".date('Y-m-d',$start)."<br />"; $interval = 7 * 24 * 3600; //一周总共的秒数 $previous_week = $start - $interval; //当前时间的时间戳 减去 一周总共的秒数 $next_week = $start + $interval; //当前时间的时间戳 加上 一周总共的秒数 echo "前一周日期为:".date('Y-m-d',$previous_week)."<br />"; echo "后一周日期为:".date('Y-m-d',$next_week)."<br />"; ?>輸出結果: 前後兩個日期剛好相差7 天。這其實就是計算時間差的一種逆運用。 好了就說到這裡了,有其他想知道的,可以點選這個喔。 → →
以上是PHP函數運用之傳回某個日期的前一天和後一天的詳細內容。更多資訊請關注PHP中文網其他相關文章!