推出前几个月

 /*
        year
        month
        */
        function getMonth(year, month) {
            return year * 12 + month
        }
        /*
        month
        */
        function getYearMonth(month) {
            var year=Math.floor(month/12);
            var month=month%12;
            if(month===0){
                year--;
                month=12
            }
            return {
                year:year,
                month:month
            }
        }
        /*
        推出上个月是几年几月
        *例如 当前2020.06
        getTimeByIndex(0) year:2020 month:6
        getTimeByIndex(1) year:2020 month:5
        getTimeByIndex(6) year:2019 month:12
        */
        function getTimeByIndex(index) {
            var NOW = new Date()
            var YEAR = NOW.getFullYear()
            var MONTH = NOW.getMonth()+1
            var currentMonth = getMonth(YEAR, MONTH);
            currentMonth -= index
            return {
                year: getYearMonth(currentMonth).year,
                month: getYearMonth(currentMonth).month
            }
        }

能不能优化一下

阅读 2.3k
5 个回答

其实已有轮子,可以不用重复,moment里面有很多对时间处理的。

当前时间:

//显示结果为:"2020-06-11 11:10:12"

moment(new Date()).format('YYYY-MM-DD HH:mm:ss');

获取前一个月的日期:

//显示结果为:"2020-06-11 11:10:52"

moment(new Date()).subtract(1,'months').format('YYYY-MM-DD HH:mm:ss');

获取前10天的日期:

//显示结果为:"2020-06-01 11:11:52"

moment(new Date()).subtract(10,'days').format('YYYY-MM-DD HH:mm:ss');

获取前一年的日期:

//显示结果为:"2019-06-11 11:10:47"

moment(new Date()).subtract(1,'years').format('YYYY-MM-DD HH:mm:ss');

上面有人推荐了 moment, 但是别用这个库
建议用 dayjs, 他的语法和 moment 一样, moment是好, 但是太大了(百度搜索 moment 太大 都能搜出一堆文章)

如果只是这个简单的功能的话 没必要引库

function getTimeByIndex(index) {
  const NOW = new Date()
  let YEAR = NOW.getFullYear()
  let MONTH = NOW.getMonth() + 1
  let month = MONTH - index
  let year = month >= 0 ? 0 : Math.floor(Math.abs(month) / 12) + 1
  return {
    year: YEAR - year,
    month: 12 - Math.floor(Math.abs(month) % 12),
  }
}
console.log(getTimeByIndex(9)) // {year: 2019, month: 9}

JS里,这个问题是如此简单。

let delta = -5 // 5个月前的时间
let date = new Date()
date.setMonth(date.getMonth() + delta)
console.log(date.getFullYear(), date.getMonth() + 1)

5个月前是1月份,输出:

2020 1
撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题