0

我想获取两个给定日期之间的年月列表

这是我的代码

    function yearMonth($start_date, $end_date)  
    {  

        $years = array();
        $base  = 0 ;
        while(($start_date) < $end_date)
        {

                $y           = date('Y' , $start_date);
                // if its the original start_time check the month from 
                //current date else get the first day and month in that year
                $base        = ($base == 0 )  ? $start_date : strtotime("{$y}-1-1"); 

                for($i = 1 ; $i <= 12 ; $i++ )
                {
                   if($base > $end_date)
                   break;
                   $years[date("Y", $start_date)][] = date("F" , $base); 
                   $base += 2629743.83;

                }

               $base += $start_date += 31556926 ;


        }
        return $years;

    }  

    $list  =  yearMonth(strtotime("2010-11-8") , strtotime("2012-11-11") );  
    var_dump($list);

所以这就是问题所在

$base     = ($base == 0 )  ? $start_date : strtotime("{$y}-1-1"); 

在这里,我检查是否start_date是我传递给函数的原始数据,如果它是我为查找该年的月份设置的基础等于 start_date,如果它不是原始的,我将基础设置为该年的第一个月

现在我们解决我的问题

for($i = 1 ; $i <= 12 ; $i++ )

在这里我假设那一年有 12 个月,但如果它是原始的 start_date 它可能会更少

如何计算给定日期年份的剩余月份?

另一个问题在这里

            for($i = 1 ; $i <= 12 ; $i++ )
            {
                   if($base > $end_date)
                   break;
                   $years[date("Y", $start_date)][] = date("F" , $base); 
                   $base += 2629743.83;

            }

所以我想每个月都有 2629743.83 秒,但它不是很准确,因为闰年

有没有更清洁的方法来做到这一点?

4

1 回答 1

2

我有两个解决方案,要么更改现有代码,要么使用 PHP 的内置 DateTime 类。

您想在代码中修复两件事:

  • 仅列出起始年份的剩余月份 - 您可以通过添加检查$base日期是否在您输出的年份来做到这一点。
  • 在每年数组中获取正确的月份 - 我们可以$base通过将每个月的正确天数递增来做到这一点。我们可以使用 获取该月的天数date('t')
for($i = 1 ; $i <= 12 ; $i++ )
{
   if($base > $end_date)
   break;
   $base_year = date('Y', $base);
   if ($base_year == $y) {
    $years[date("Y", $start_date)][] = date("F" , $base); 
    $base += 60*60*24*date('t', strtotime($base_year.'-'.$i."-1")); 
   }
}

或者,您可以使用 DateTime 对象来简化代码。此示例基于DatePeriod注释中的一些代码。

注意:函数的参数不需要用strtotime.

function yearMonth($start_date, $end_date) 
{

    $begin = new DateTime( $start_date );
    $end = new DateTime( $end_date);
    $interval = new DateInterval('P1M'); // 1 month interval

    $period = new DatePeriod($begin, $interval, $end);

    foreach ( $period as $dt )
        $years[$dt->format( "Y" )][] = $dt->format( "F" );

    return $years;

}

$list  =  yearMonth("2010-11-8", "2012-11-11");  
var_dump($list);
于 2012-08-14T06:08:44.943 回答