眾所周知,JavaScript核心包含Data()構造函數,用來創建表示時間和日期的對象。 今天主要跟大家梳理一下,常用的時間、日期處理方法,方便大家使用和理解 格式化時間 老生常談,大概會這麼寫 1234567891011 var format = function (time) { var y ...
眾所周知,JavaScript核心包含Data()構造函數,用來創建表示時間和日期的對象。
今天主要跟大家梳理一下,常用的時間、日期處理方法,方便大家使用和理解
格式化時間
老生常談,大概會這麼寫
1 2 3 4 5 6 7 8 9 10 11
|
var format = function (time) { var y = time.getFullYear(); var M = time.getMonth() + 1; var d = time.getDate(); var h = time.getHours(); var m = time.getMinutes(); var s = time.getSeconds(); return y + '-' + M + '-' + d + ' ' + h + ':' + m + ':' + s; }
var time1 = format(new Date());
|
但是有什麼問題呢?一般來說小於10的值,要在前面添加字元串‘0’的,我們大可以寫個判斷來解決他,但是太麻煩了~
其實可以這樣
1 2 3 4 5 6 7 8
|
var format = function (time) { var date = new Date(+time + 8 * 3600 * 1000); return date.toJSON().substr(0, 19).replace('T', ' ').replace(/-/g, '.'); } var time1 = format(new Date());
|
獲取當月最後一天
一個月可能有28/29/30/31天,使用寫死數據的方式來解決閏年和大小月顯然是不科學的。
1 2 3 4 5 6 7 8
|
function getLastDayOfMonth (time) { var month = time.getMonth(); time.setMonth(month+1); time.setDate(0); return time.getDate() } getLastDayOfMonth(new Date())
|
獲取這個季度第一天
用來確定當前季度的開始時間,常用在報表中
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16
|
function getFirstDayOfSeason (time) { var month = time.getMonth(); if(month <3 ){ time.setMonth(0); }else if(2 < month && month < 6){ time.setMonth(3); }else if(5 < month && month < 9){ time.setMonth(6); }else if(8 < month && month < 11){ date.setMonth(9); } time.setDate(1); return time; } getFirstDayOfSeason(new Date())
|
獲取中文星期
這也是個比較常見的雪球,完全沒必要寫一長串switch啦,直接用charAt來解決。
1
|
let time ="日一二三四五六".charAt(new Date().getDay());
|
獲取今天是當年的第幾天
來看看今年自己已經浪費了多少時光~
1 2 3 4
|
var time1 = Math.ceil(( new Date() - new Date(new Date().getFullYear().toString()))/(24*60*60*1000));
|
獲取今天是當年的第幾周
日曆、表單常用
1 2 3
|
var week = Math.ceil(((new Date() - new Date(new Date().getFullYear().toString()))/(24*60*60*1000))/7);
|
獲取今天是當年還剩多少天
再來看看今年還有多少天可以浪費~
1 2 3 4 5 6 7 8 9
|
function restOfYear(time) { var nextyear = (time.getFullYear() + 1).toString(); var lastday = new Date(new Date(nextyear)-1); console.log(lastday) var diff = lastday - time; return Math.floor(diff / (1000 * 60 * 60 * 24)); } restOfYear(new Data())
|