时间处理(最近3天,最近1月,最近3月,最近半年 )

  • 需求:根据点击的筛选项 传出具体日期范围(最近3天,最近1月,最近3月,最近半年,全部);
  • 分析:其中 <全部> 选项 开始和结束时间均传空 不考虑;开始时间根据不同选项计算,而结束时间均为今天 也不用特殊处理 获取new Date()并进行格式即可,所以重点处理几个选项的开始时间;
  • 逻辑整合: 除了最近三天需要根据getTime 计算之外,其他几个都是月份的减法 只是数值不同 同时需要考虑跨年度的情况 月份值需加12且年份值需要减1;
  • 注意:ios对于单位数的月、日 值是不兼容的 规范化会报错 显示NaN,这种情况也需要考虑到。
  • 代码:
//时间格式规范化
Date.prototype.Format = function(fmt) {
        //author: meizz
        var o = {
            "M+": this.getMonth() + 1, //月份
            "d+": this.getDate(), //日
            "h+": this.getHours(), //小时
            "m+": this.getMinutes(), //分
            "s+": this.getSeconds(), //秒
            "q+": Math.floor((this.getMonth() + 3) / 3), //季度
            S: this.getMilliseconds(), //毫秒
        };
        if (/(y+)/.test(fmt))
            fmt = fmt.replace(
                RegExp.$1,
                (this.getFullYear() + "").substr(4 - RegExp.$1.length)
            );
        for (var k in o)
            if (new RegExp("(" + k + ")").test(fmt))
                fmt = fmt.replace(
                    RegExp.$1,
                    RegExp.$1.length == 1 ?
                    o[k] :
                    ("00" + o[k]).substr(("" + o[k]).length)
                );
        return fmt;
    };

//几个选项的开始时间处理函数
 function getEndDateObj(dateTypeNum) {
        var nowTime = new Date();
        var theYear = nowTime.getFullYear(),
            theMonth = nowTime.getMonth() + 1,
            theDate = nowTime.getDate();
        var threeDaysAgo = nowTime.setTime(nowTime.getTime() - 1000 * 60 * 60 * 24 * 2); //三天前与几个月前算法不同 单独处理
        var preYear = theMonth > dateTypeNum ? theYear : theYear - 1; //年份数字根据减去月份是否大于0进行减1
        var preMonth = theMonth > dateTypeNum ? theMonth - dateTypeNum : theMonth - dateTypeNum + 12; //月份数字根据减去月份是否大于0进行加12
        // 小于10的月份和日期 前面拼接"0"(否则后面格式化会产生NaN)
        preMonth = preMonth < 10 ? '0' + preMonth : preMonth;
        theDate = theDate < 10 ? '0' + theDate : theDate;
        var preDate = (dateTypeNum >= 1) ?
            preYear + '-' + preMonth + '-' + theDate :
            threeDaysAgo; //三天前直接取数据 其他进行日期拼接
        var finalPreDate = dateTypeNum ? new Date(preDate).Format('yyyy-MM-dd 00:00:00') : ''; //非"全部"进行日期格式化处理,全部传空
        return finalPreDate;
    } 

你可能感兴趣的:(时间处理(最近3天,最近1月,最近3月,最近半年 ))