0

我正在使用 simplexlsx.class.php 来读取 xlsx 文件类型。当文件在 excel 文件中包含日期字段时,它会出现问题。

这是我的编码

require_once "simplexlsx.class.php";
$xlsx = new SimpleXLSX( $_FILES['file']['tmp_name'] );
list($cols,) = $xlsx->dimension();
     foreach( $xlsx->rows() as $k => $r) {
   echo $r[42];
 }

当我回显这个 echo $r[41]; 它打印 41378... 日期格式是 m/d/Y,我想将其更改为 Ymd,但它不起作用。

date("Y-m-d", strtotime($r[42]));
4

1 回答 1

4

您正在检索 Excel 时间戳,该时间戳基于自 1900 年 1 月 1 日或 1904 年 1 月 1 日序列化以来的天数。

您可以使用以下函数将该值转换为 unix 时间戳(然后您可以使用 PHP 日期函数对其进行操作)或 PHP DateTime 对象:

function ExcelToPHP($dateValue = 0, $ExcelBaseDate = 1900) {
    if ($ExcelBaseDate == 1900) {
        $myExcelBaseDate = 25569;
        //    Adjust for the spurious 29-Feb-1900 (Day 60)
        if ($dateValue < 60) {
            --$myExcelBaseDate;
        }
    } else {
        $myExcelBaseDate = 24107;
    }

    // Perform conversion
    if ($dateValue >= 1) {
        $utcDays = $dateValue - $myExcelBaseDate;
        $returnValue = round($utcDays * 86400);
        if (($returnValue <= PHP_INT_MAX) && ($returnValue >= -PHP_INT_MAX)) {
            $returnValue = (integer) $returnValue;
        }
    } else {
        $hours = round($dateValue * 24);
        $mins = round($dateValue * 1440) - round($hours * 60);
        $secs = round($dateValue * 86400) - round($hours * 3600) - round($mins * 60);
        $returnValue = (integer) gmmktime($hours, $mins, $secs);
    }

    // Return
    return $returnValue;
}

根据需要设置 $ExcelBaseDate 以指示您正在使用的 Excel 基准日历:Windows 1900 或 Mac 1904

如果你想要一个 PHP DateTime 对象:

function ExcelToPHPObject($dateValue = 0, $ExcelBaseDate = 1900) {
    $dateTime = ExcelToPHP($dateValue, $ExcelBaseDate);
    $days = floor($dateTime / 86400);
    $time = round((($dateTime / 86400) - $days) * 86400);
    $hours = round($time / 3600);
    $minutes = round($time / 60) - ($hours * 60);
    $seconds = round($time) - ($hours * 3600) - ($minutes * 60);

    $dateObj = date_create('1-Jan-1970+'.$days.' days');
    $dateObj->setTime($hours,$minutes,$seconds);

    return $dateObj;
}

我很惊讶 SimpleXLSX 没有处理这种转换的方法,尽管日期通常不会作为 OfficeOpenXML 格式 (xlsx) 工作簿中的这个序列化值保存

于 2013-04-17T13:23:34.693 回答