Date()是一个构造函数 必须实例化使用
Date()使用
//若new Date()参数为空 返回当前时间
var date=new Date();
console.log(date);
//若有参数 返回输入的时间
var date=new Date('2019-2-14');
console.log(date);
Date()参数的格式:
1、年-月-日 时:分:秒
2、年/月/日 时:分:秒
3、年,月,日 时:分:秒 //注意此方法会造成月小1
获取毫秒数
Date 对象基于1970年1月1日(世界标准时间)起的毫秒数。
//1、valueOf()获取毫秒数
var date = new Date();
alert(date.valueOf());
//2、getTime();
var date = new Date();
alert(date.getTime());
//3、 +new Date()
var date1 = +new Date();
alert(date1);
// 4、html5 新方法 不需要使用new Date.now()有兼容性
alert(Date.now());
获得日期方法
getFullYear()获取当年
var date = new Date();
alert(date.getFullYear()); //获得现在的年份
getMonth()获取当月(0-11)
var date = new Date();
alert(date.getMonth());
getDate()获取当天日期
var date = new Date();
alert(date.getDate());
getDay()获取星期几 (周日0 到周六6)
var date = new Date();
alert(date.getDay());
getHours()获取当前小时
var date = new Date();
alert(date.getHours());
getMinutes() 获取当前分钟
var date = new Date();
alert(date.getMinutes());
getSeconds() 获取当前秒钟
var date = new Date();
alert(date.getSeconds());
注意 月份和星期 是从0开始
案例
- 2018年5月29日 星期二 请写出这个格式
function getMyDate() {
var arr = ['星期天', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'];
var date = new Date();
// 2018年5月29日 星期二
var str = date.getFullYear() + '年' + (date.getMonth() + 1) + '月' + date.getDate() + '日 ' + arr[date.getDay()];
return str;
}
console.log(getMyDate());
写一个函数,格式化日期对象,HH:mm:ss 的形式 比如 00:10:45
function getTimer() {
var date = new Date();
// var str = date.getHours() + ':' + date.getMinutes() + ':' + date.getSeconds();
var h = date.getHours();
var m = date.getMinutes();
var s = date.getMinutes();
// if(h < 0) {
// h = '0' + h;
// }
h = h < 10 ? '0' + h : h
m = m < 10 ? '0' + m : m
s = s < 10 ? '0' + s : s
return h + ':' + m + ':' + s;
}
console.log(getTimer());
-
做一个倒计时效果
计算公式:
d = parseInt(总秒数/ 60/60 /24); // 计算天数h = parseInt(总秒数/ 60/60 %24) // 计算小时
m = parseInt(总秒数 /60 %60 ); // 计算分数
s = parseInt(总秒数%60); // 计算当前秒数
function getCountTime(endTime) {
var d, h, m, s;
//1. 用用户输入的时间 减去 开始的时间就是 倒计时
//2. 但是要注意,我们得到是 毫秒数 然后 把这个毫秒数转换为 相应的 天数 时分秒 就好了
var countTime = parseInt((new Date(endTime) - new Date()) / 1000);
// console.log(countTime);
// 3. 把得到的毫秒数 转换 当前的天数 时分秒
console.log(countTime);
d = parseInt(countTime / 60 / 60 / 24); // 计算天数
h = parseInt(countTime / 60 / 60 % 24); // 计算小时
m = parseInt(countTime / 60 % 60); // 计算分数
s = parseInt(countTime % 60); // 计算当前秒数
return '还剩下' + d + '天' + h + '时' + m + '分' + s + '秒 ';
}
console.log(getCountTime('2018-5-30 17:30'));
网友评论