我有可滚动div中的拇指列表,使用next / prev按钮进行动画处理。每次单击“下一步”按钮都应与第一个可见元素的属性匹配。每次单击“上一步”按钮都应该给我最后一个可见元素的属性。
我真的不知道如何在数学上解决这个问题,因为滚动距离在列表结束时是可变的。有人可以帮帮我吗?
HTML
$<div id="scrollContent">
<ul id="assetList">
<li data-asset-id="15201"></li>
<li data-asset-id="15202"></li>
<li data-asset-id="15203"></li>
...
</ul>
</div>
<a class="next" href="#">next</a>
<a class="prev" href="#">prev</a>
的jQuery
$('a.next').click(function() {
var scrollheight = $("#scrollContent").scrollTop();
$("#scrollContent").animate({scrollTop:scrollheight+375},500,function() {
// get "data-asset-id" of first visible element in viewport
});
});
$('a.prev').click(function() {
var scrollheight = $("#scrollContent").scrollTop();
$("#scrollContent").animate({scrollTop:scrollheight-375},500,function() {
// get "data-asset-id" of last visible element in viewport
});
});
查看小提琴: http://jsfiddle.net/desCodLov/77xjD/10/
谢谢。
答案 0 :(得分:8)
这是你想要的吗? :
var first, last;
$('a.next').click(function() {
var scrollheight = $("#scrollContent").scrollTop();
$("#scrollContent").animate({scrollTop:scrollheight+375},500,function() {
$("#assetList li").each(function() {
if ($(this).offset().top == 1 && $(this).offset().left == 0) {
first = $(this).attr('data-asset-id');
}
});
});
});
$('a.prev').click(function() {
var scrollheight = $("#scrollContent").scrollTop();
$("#scrollContent").animate({scrollTop:scrollheight-375},500,function() {
var Otop = $("#scrollContent").height() - $("#assetList li").height() - parseInt($("#assetList li").css('margin-top'));
var Oleft = ($("#assetList li").width() + parseInt($("#assetList li").css('margin-right'))) * 3;
$("#assetList li").each(function() {
if ($(this).offset().top == Otop && $(this).offset().left == Oleft) {
last = $(this).attr('data-asset-id');
}
});
});
});
答案 1 :(得分:4)
通过可见性,我认为该元素至少应该可以看到右上角。如果您只想选择完全可见的元素,请添加或减去元素的width()
和height()
值。基本代码如下所示:
var $first, $last,
$container = $("#assetList"),
$items = $container.children("li"),
positions = container.offset(),
rightside = positions.left + $container.width(),
bottomside = positions.top + $container.height();
$items.each(function(){
var $this = $(this),
position = $this.offset();
// If <li> top post >= <ul> top
if ($first && position.top >= positions.top
// If <li> left >= <ul> left
&& positions.left >= position.left) {
/* Optionally, add two more conditions, to only accept elememts
which are fully visible:
&& positions.top + $this.height() <= bottomside
&& positions.left + $this.width() <= leftside
*/
$first = this;
}
// See previous comments.
if (position.top < bottomside && position.left < rightside) {
$last = this;
}
});
// $first = first visible element, eg [HTMLLiElement]
// $last = last visible element, eg [HTMLLiElement]
答案 2 :(得分:2)