Math
数学函数:它属于对象数据类型
typeof Math ->'object'
Math对象中提供了很多操作数字的方法
console.dir(Math)
[图片上传失败...(image-8c6816-1570785182559)]
[图片上传失败...(image-349fa3-1570785182559)]
1.Math.abs 取绝对值
Math.abs(12) ->12
Math.abs(-12) ->12
2.Math.ceil 向上取整
Math.ceil(12) ->12
Math.ceil(12.1) ->13
Math.ceil(12.9) ->13
Math.ceil(-12.1) ->-12
Math.ceil(-12.9) ->-12
3. Math.floor 向下取整
Math.floor(12) ->12
Math.floor(12.1) ->12
Math.floor(12.9) ->12
Math.floor(-12.1) ->-13
Math.floor(-12.9) ->-13
4.Math.round 四舍五入
Math.round(12.3) ->12
Math.round(12.5) ->13 正数中5包含在向上
Math.round(-12.3) ->-12
Math.round(-12.5) ->-12 负数中5包含在向下
Math.round(-12.51) ->-13
5.Math.random 获取(0,1)之间的随机小数
for(var i=0;i<100;i++){
console.log(Math.random());
}
//=>需求:获取[0,10]之间的随机整数
Math.round(Math.random()*10)
//=>需求:获取[3,15]之间的随机整数
Math.round(Math.random()*12+3)
//=>获取[n,m]之间的随机整数
Math.round(Math.random()*(m-n)+n)
6.Math.max 获取一组值中的最大值
Math.max(12,23,14,24,34,25,13,15,16,27,13,12); ->34
7.Math.min 获取一组值中的最小值
Math.min(12,23,14,24,34,25,13,15,16,27,13,12); ->12
8.Math.PI 获取圆周率(π)
Math.PI ->3.141592653589793
9.Math.pow 获取一个值的多少次幂
Math.pow(10,2) ->100
10.Math.sqrt 开平方
Math.sqrt(100) ->10
Date
Date的基础知识
Date是日期类,通过它可以对时间进行处理
javascript
var time = new Date();//=>获取当前客户端本机时间(当前获取的时间不能作为重要的参考依据)
//=>获取的结果是一个日期格式的对象:Sun Oct 22 2017 15:58:40 GMT+0800 (中国标准时间)
typeof new Date() ->'object'
time.getFullYear() //=>获取四位整数年
time.getMonth() //=>获取月(011代表112月)
time.getDate() //=>获取日
time.getDay() //=>获取星期(06代表周日周六)
time.getHours() //=>获取小时
time.getMinutes() //=>获取分钟
time.getSeconds() //=>获取秒
time.getMilliseconds() //=>获取毫秒
time.getTime() //=>获取当前日期距离'1970-01-01 00:00:00'的毫秒差
var time = new Date('2017-10-22'); //=>当new Date中传递一个时间格式的字符串,相当于把这个字符串转换为标准的时间对象格式(转换完成后,就可以调取上面我们讲的那些方法了)
//=>时间格式的字符串
'2017-10-22' (IE下识别不了)
'2017/10/22'
'2017/10/22 16:15:34'
1508659621314 (如果传递的是距离1970年的那个毫秒差,也是可以识别转换的,但是只能是数字,不能是字符串)
京东倒计时
//=> HTML
<!-- 京东倒计时抢购 -->
<div class="time">
<a href="#">
京东秒杀<br/>距离本场活动结束的时间还有: <span class="timeBox" id="timeBox">00:10:00</span>
</a>
</div>
//=> JS
/* 倒计时抢购*/
function computed() {
var timeBox = document.getElementById('timeBox');
var curTime = new Date(); // 电脑当前的时间
var targetTime = new Date('2018/02/03 16:30'); //我们自己给定的活动结束的时间;
var areaTime = targetTime - curTime;
//console.log(areaTime); //150621 毫秒数
if (areaTime < 0) {
timeBox.innerHTML = '活动已经结束啦~';
window.clearInterval(timer);
return;
}
/*得到的毫秒数 算出小时*/
var hour = Math.floor(areaTime / (1000 * 60 * 60));
/*从剩余的毫秒数中 算出分钟*/
areaTime -= hour * 1000 * 60 * 60;
/*减去小时占的毫秒数 剩下再去算分钟占的毫秒数*/
var minutes = Math.floor(areaTime / (1000 * 60));
/*从剩余的毫秒数中 算出秒*/
areaTime -= minutes * 1000 * 60;
var seconds = Math.floor(areaTime / 1000);
/*补0的操作 只要小于10 就在前面补一个0*/
hour < 10 ? hour = '0' + hour : hour;
minutes < 10 ? minutes = '0' + minutes : minutes;
seconds < 10 ? seconds = '0' + seconds : seconds;
timeBox.innerHTML = hour + ':' + minutes + ':' + seconds;
}
computed();
var timer = window.setInterval(computed, 1000); //每隔1s执行一次函数