示例:jsfiddle
<style>
#slider-outer {
width: 400px;
overflow: hidden;
}
#slider-inner {
width: 1200px;
overflow: visible;
height: 200px;
position: relative;
}
#slider-inner div {
background: ;
width: 200px;
height: 200px;
float: left;
}
.a{background: red;}
.b{background: green;}
.c{background: blue;}
.d{background: yellow;}
.e{background: grey;}
.f{background: coral;}
.g{background: olive;}
</style>
<div id="slider-outer">
<div id="slider-inner">
<div class="a"></div>
<div class="b"></div>
<div class="c"></div>
<div class="e"></div>
<div class="f"></div>
<div class="g"></div>
</div>
</div>
$(document).ready(function(){
$('#slider-inner').click(function(){
var scrollAmount = $(this).width() - $(this).parent().width();
var currentPos = Math.abs(parseInt($(this).css('left')));
var remainingScroll = scrollAmount - currentPos;
var nextScroll = Math.floor($(this).parent().width() / 2);
if (remainingScroll < nextScroll) {
nextScroll = remainingScroll;
}
if (currentPos < scrollAmount) {
$(this).animate({'left':'-=' + nextScroll}, 'slow');
console.log(currentPos)
}
else {
$(this).animate({'left':'0'}, 'fast');
}
});
});
我正在学习jQuery和一些javascript的过程,我遇到了这个简单滑块的例子,并且经历了代码行并理解它是如何工作的。除了var = currentPos
返回控制台的值之外,我理解了所有内容。
第一次点击时该值返回0,这让我感到困惑,因为我认为它应该是-200px
因为滑块内部正在向左移动-200px
?
有人可以解释为什么变量会将值返回到控制台吗?
由于
答案 0 :(得分:3)
console.log
语句不等待动画完成,即使它已经完成,currentPos
将保持为0,因为动画不会改变变量的值。 / p>
了解差异的更好方法是:
if (currentPos < scrollAmount) {
$(this).animate({'left':'-=' + nextScroll}, 'slow', function(){
console.log("After the animation has completed: " + $(this).css('left'));
});
console.log("Before the animation has completed: " + $(this).css('left'))
}
.animate()
的第三个参数是一个匿名函数,将在动画结束时执行。
这将输出:
Before the animation has completed: 0px
After the animation has completed: -200px
希望更符合您的期望。
答案 1 :(得分:0)
如果您查看#slider-inner
的CSS规则,您会发现它没有明确的left
设置。
#slider-inner {
width: 1200px;
overflow: visible;
height: 200px;
position: relative;
}
由于没有明确的left
值,因此默认为auto
。由于#slider-inner
相对定位且未指定right
属性,it receives no offset。
这意味着left
实际上是0px
(这正是您在第一次点击时$(this).css('left')
运行时获得的结果)。 var currentPos = Math.abs(parseInt($(this).css('left')));
将该值解析为绝对整数0
,并将其存储在变量currentPos
中。如果你看看之后的所有代码:
var remainingScroll = scrollAmount - currentPos;
var nextScroll = Math.floor($(this).parent().width() / 2);
if (remainingScroll < nextScroll) {
nextScroll = remainingScroll;
}
if (currentPos < scrollAmount) {
$(this).animate({'left':'-=' + nextScroll}, 'slow');
console.log(currentPos)
}
else {
$(this).animate({'left':'0'}, 'fast');
}
});
});
其中没有任何内容为currentPos
分配新值,因此值仍为0
。从将字符串解析为整数所得到的零是文字,而不是对.left
的当前值的引用。即使它是DOM元素的.left
属性的实时引用,它也不是-200
,.animate
方法异步运行,console.log
在它之后立即调用,它可能在调用.animate
和控制台输出之间的时间内向左移动了几个像素,但肯定不是完整的200像素。