我试图通过jQuery的“foward”和“back”按钮在一系列函数中正确“导航”。我无法正确导航后退按钮。
var functions = [ function0, function1, function2, function3, function4, function5 ];
var index = 0;
$("#forward").click(function() {
functions[Math.abs(index % functions.length)]();
index++;
});
$("#back").click(function() {
functions[Math.abs(index % functions.length)]();
index--;
});
以下是完整的代码:
答案 0 :(得分:2)
您应该按正确的顺序更改索引。
$("#forward").click(function(){
if(index < functions.length){
index++;
functions[Math.abs(index % functions.length)]();
}
});
$("#back").click(function(){
if(index > 1){
index--;
functions[Math.abs(index % functions.length)]();
}
});
答案 1 :(得分:2)
检查更新后的fiddle
$("#forward").click(function(){
index = index == functions.length - 1 ? 0: index + 1; //number incremented before calling the function and in incremental fashion
functions[Math.abs(index % functions.length)]();
});
$("#back").click(function(){
index = index ? index - 1 : functions.length-1 ; //number decremented before calling the function and in incremental fashion
functions[Math.abs(index % functions.length)]();
});
答案 2 :(得分:1)
这是一种面向对象的方法。 Navigator
类为您跟踪索引。
function Navigator(fnArr, fwdSelector, bakSelector) {
this.fnArr = fnArr || [];
this.index = 0;
$(fwdSelector).click($.proxy(this.forward, this));
$(bakSelector).click($.proxy(this.reverse, this));
}
Navigator.prototype = {
rotate : function(direction) {
this.executeFn(Math.abs((this.index += direction) % this.fnArr.length));
},
forward : function() {
if (this.index < this.fnArr.length - 1) { this.rotate(+1); }
},
reverse : function() {
if (this.index > 0) { this.rotate(-1); }
},
executeFn : function(index) {
this.fnArr[index || 0]();
}
};
var fnArr = [
function function0() { $('p').text('0'); },
function function1() { $('p').text('1'); },
function function2() { $('p').text('2'); },
function function3() { $('p').text('3'); },
function function4() { $('p').text('4'); },
function function5() { $('p').text('5'); }
];
var nav = new Navigator(fnArr, '#forward', '#back');
nav.executeFn();
.pure-button-primary { font-weight: bold; }
p { width: 2.8em; text-align: center; font-weight: bold; font-size: 2em; margin: 0.25em; }
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<link href="https://cdnjs.cloudflare.com/ajax/libs/pure/0.6.0/buttons-min.css" rel="stylesheet"/>
<div class="pure-button pure-button-primary" id="back"><<</div>
<div class="pure-button pure-button-primary" id="forward">>></div>
<p></p>