• PHP转换Excel中日期和时间类型的处理


    在实际应用中PHP读取的Excel文件的日期无法直接使用,会出现的一系列问题。

    • 在Excel中的日期存储的是数值类型,是从 1900年1月1日 到现在的数值,以天为单位来计算的。
    • 可以在Excel中验证,首先在一个单元格中输入 2023-1-1 ,然后将单元格格式修改为 常规,然后就会看到单元格内容变成了 44927。
    • Excel中的时间是一个从0到0.99999999之间的小数值,表示从00:00:00(12:00:00 AM)到23:59:59(11:59:59 PM)之间的时间。例如12:00 PM的数值是0.5,表示一天的一半。
    正常日期Excel存储
    2023-1-144927
    2023-1-1 23:59:5944927.9999884259

    通过PHPExcel的官方文档了解到,我们可以得到一个新的的计算公式:

    Excel日期与PHP时间戳之间存在一个时间偏移量,因为Excel的日期起点是1900年1月1日,在UNIX时间戳中相当于从1970年1月1日起前推的25569天。

    /*
     * $excel_date Excel表格的数字
     * 25569 (常数)日期的偏移量
     * 86400 (60*60*24)
     * 28800  (60*60*8)时差
     */
    $timestamp = ($excel_date - 25569) * 86400 - 28800;
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7

    通过上述公式,获取Excel日期

    
     function get_excel_timestamp($excel_date)
    {
        $pattern = '/^\d{4}-\d{2}-\d{2} \d{2}:\d{2}:\d{2}$/'; //日期格式正则
        if (empty($excel_date)) {
            return time();
        } elseif (is_numeric($excel_date)) {
            return ($excel_date - 25569) * 86400 - 28800;
        } elseif (preg_match($pattern, $excel_date)) {
            return strtotime($excel_date);
        } else {
            return time();
        }
    }
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
  • 相关阅读:
    【剑指offer】1-5题
    Spring Security是什么?(二)
    Project ERROR: Unknown module(s) in QT: xlsx
    经典排序算法
    软考架构师知识点
    Python 代码混淆工具概述
    python mean()求平均值
    go的切片扩容机制
    杰理-AC69-v225&v233版本低延时差异
    拿到直播平台的rtmp地址和推流码之后,用 nodejs写一个循环读取视频文件内容,这个地址推流
  • 原文地址:https://blog.csdn.net/YBaog/article/details/133990499