1: this 的问题
- 当我们在使用jquery获取元素进行内容修改的时候比如如下
// 技能
$('.skill-list').on('touchend', 'li', function () {
$(".select").addClass('on').siblings().removeClass('on');
$(".select").find('.I').hide();
$(".select").find('.II').show();
$(".select").siblings().find('.I').show();
$(".select").siblings().find('.II').hide();
var names =$(".select").attr('data-name');
var desc =$(".select").attr('data-desc');
});
- 这样的写法对于项目来说无疑是最大的弊端,当考虑到性能的问题的时候,因为每一次执行
$(".select")
都是对整个DOM
的一次遍历,jquery
只是保证我们书写起来比较方便,但是我们也要考虑到性能的问题,不如进行如下修改:
//技能
$('.skill-list').on('touchend', 'li', function () {
var _this=$(".select");
_this.addClass('on').siblings().removeClass('on');
_this.find('.I').hide();
_this.find('.II').show();
_this.siblings().find('.I').show();
_this.siblings().find('.II').hide();
var names =_this.attr('data-name');
var desc =_this.attr('data-desc');
});
- 代码量虽然看上去没有任何的减少,但是性能提高了很多,因为整个过程,它只需要去遍历整个
DOM
一次就可以了
2: 循环及时终止的问题:很多时候我们在进行遍历的时候,都会用到循环,但是如何及时终止循环以提高性能呢,代码如下:
$.each(allHeroList,function (index,currentList) {
if(heroId==currentList.yxid_56){
categoryHero=currentList.yxlb_7a;
}
})
* 如果我们只是这样写,那就会对整个数据进行的循环,有时候我们希望找到我们想要的结果以后可以终止循环,那要如何做到呢?代码如下:
$.each(allHeroList,function (index,currentList) {
if(heroId==currentList.yxid_56){
categoryHero=currentList.yxlb_7a;
<!-- 增加下面一行代码,会跳出循环 -->
return false;
}
})
- 如果数据量比较小的话,对性能的影响是微乎其微的,但是如果需要进行大量的数据处理的时候还是要考虑一下的
网友评论