我有一个远离页面的 h1..
<h1 id="scroll-to">TRIGGER EVENT WHEN SCROLLED TO.</h1>
并且我想在用户滚动到 h1 或将其显示在浏览器视图中时触发警报。
$('#scroll-to').scroll(function() {
alert('you have scrolled to the h1!');
});
我该怎么做呢?
我有一个远离页面的 h1..
<h1 id="scroll-to">TRIGGER EVENT WHEN SCROLLED TO.</h1>
并且我想在用户滚动到 h1 或将其显示在浏览器视图中时触发警报。
$('#scroll-to').scroll(function() {
alert('you have scrolled to the h1!');
});
我该怎么做呢?
您可以计算offset
元素的 ,然后将其与如下scroll
值进行比较:
$(window).scroll(function() {
var hT = $('#scroll-to').offset().top,
hH = $('#scroll-to').outerHeight(),
wH = $(window).height(),
wS = $(this).scrollTop();
if (wS > (hT+hH-wH)){
console.log('H1 on the view!');
}
});
检查这个演示小提琴
更新的演示小提琴没有警报——而是 FadeIn() 元素
更新代码以检查元素是否在视口内。因此,无论您是向上还是向下滚动,都可以向 if 语句添加一些规则:
if (wS > (hT+hH-wH) && (hT > wS) && (wS+wH > hT+hH)){
//Do something
}
将此问题与当用户滚动经过页面的某个部分时 jQuery 触发操作的最佳答案相结合
var element_position = $('#scroll-to').offset().top;
$(window).on('scroll', function() {
var y_scroll_pos = window.pageYOffset;
var scroll_pos_test = element_position;
if(y_scroll_pos > scroll_pos_test) {
//do stuff
}
});
更新
我改进了代码,以便在元素位于屏幕的一半而不是最顶部时触发它。如果用户点击屏幕底部并且函数尚未触发,它也会触发代码。
var element_position = $('#scroll-to').offset().top;
var screen_height = $(window).height();
var activation_offset = 0.5;//determines how far up the the page the element needs to be before triggering the function
var activation_point = element_position - (screen_height * activation_offset);
var max_scroll_height = $('body').height() - screen_height - 5;//-5 for a little bit of buffer
//Does something when user scrolls to it OR
//Does it when user has reached the bottom of the page and hasn't triggered the function yet
$(window).on('scroll', function() {
var y_scroll_pos = window.pageYOffset;
var element_in_view = y_scroll_pos > activation_point;
var has_reached_bottom_of_page = max_scroll_height <= y_scroll_pos && !element_in_view;
if(element_in_view || has_reached_bottom_of_page) {
//Do something
}
});
我认为你最好的选择是利用一个现有的库来做这件事:
http://imakewebthings.com/waypoints/
您可以向元素添加侦听器,这些侦听器将在元素到达视口顶部时触发:
$('#scroll-to').waypoint(function() {
alert('you have scrolled to the h1!');
});
对于它在使用中的一个惊人的演示:
http://tympanus.net/codrops/2013/07/16/on-scroll-header-effects/
Inview 库触发事件,适用于 jquery 1.8 及更高版本! https://github.com/protonet/jquery.inview
$('div').on('inview', function (event, visible) {
if (visible == true) {
// element is now visible in the viewport
} else {
// element has gone out of viewport
}
});
阅读此https://remysharp.com/2009/01/26/element-in-view-event-plugin
滚动成功后仅触发滚动一次
注意:成功滚动是指当用户滚动到所需元素时,或者换句话说,当所需元素在视图中时
接受的答案对我来说有 90% 的效果,所以我不得不稍微调整一下以实际只触发一次。
$(window).on('scroll',function() {
var hT = $('#comment-box-section').offset().top,
hH = $('#comment-box-section').outerHeight(),
wH = $(window).height(),
wS = $(this).scrollTop();
if (wS > ((hT+hH-wH)-500)){
console.log('comment box section arrived! eh');
// This detaches the scroll so doStuff() won't run more than once
$(window).off('scroll');
doStuff();
}
});