最近做了一个音乐播放器的项目,其中有一个部分是实现歌曲上一首和下一首的切歌。
难点主要在于索引值边界问题的解决,简单来说就是实现正确地从第一首切歌上一首到达最后一首,最后一首切歌下一首达到第一首。
有两种方法。
第一种比较容易理解:
就是分情况讨论
function Index(len) {
this.index = 0;//当前的索引值
this.len = len;//数据长度
}
Index.prototype = {
//上一首
prev:function() {
return this.getIndex(-1);
},
//下一首
next:function() {
return this.getIndex(1);
},
getIndex:function(val) {
if (val == 1) {
if (this.index == this.len - 1) {
this.index = 0;
} else this.index++;
} else if (val == -1){
if (this.index == 0) {
this.index = this.len - 1;
} else this.index--;
}
return this.index;
}
}
第二个方法代码比较短,但是不是很容易理解:
function Index(len) {
this.index = 0; //当前的索引值
this.len = len; //数据的长度,用于做判断
}
Index.prototype = {
//上一首
prev:function() {
return this.get(-1);
},
//下一首
next:function() {
return this.get(1);
},
get:function(val) {
this.index = (this.index + val + this.len) % this.len;
return this.index;
}
}
可以将数字带入运算,就比较容易理解。