0

我已将不同博客中的代码复制到我的小提琴帐户中。一切正常。当您向下滚动页面时,黄色条会粘在页面上,当您滚动到底部时,页脚会将黄色条向上推,这绝对没问题。但问题是,当我通过单击“添加”按钮添加文本框超过 10 到 15 次时,黄色条与页脚重叠,文本框位于浏览器窗口下方且不可见。我希望页脚将黄色粘性条向上推,即使它的高度很小或很大。任何人都可以帮我解决问题吗?

演示在这里 http://jsfiddle.net/awaises/k7xfc/

jQuery

$window = $(window),
$sidebar = $(".sidebar"),
sidebarTop = $sidebar.position().top,
sidebarHeight = $sidebar.height(),
$footer = $(".footer"),
footerTop = $footer.position().top,    
$sidebar.addClass('fixed');

$window.scroll(function(event) {
scrollTop = $window.scrollTop(),
topPosition = Math.max(0, sidebarTop - scrollTop),
topPosition = Math.min(topPosition, (footerTop - scrollTop) - sidebarHeight);
$sidebar.css('top', topPosition);
});

$(document).ready(function () {
var counter = 2;
$("#addButton").click(function () {

        $('<div/>',{'id':'TextBoxDiv' + counter}).html(
          $('<label/>').html( 'Textbox #' + counter + ' : ' )
        )
        .append( $('<input type="text">').attr({'id':'textbox' + counter,'name':'textbox' + counter}) )
        .appendTo( '#TextBoxesGroup' )       
        counter++;
    });
});
4

1 回答 1

0

阻止您获得预期结果的主要问题是您的代码正在使用初始计算的侧边栏高度,而不是在每个滚动事件期间获取更新的高度。

$window.scroll(function (event) {
    var scrollTop = $window.scrollTop();
    var topPosition = Math.max(0, sidebarTop - scrollTop);

    // Ensure you are using the current sidebar height and not the initial height
    topPosition = Math.min(topPosition, (footerTop - scrollTop) - $sidebar.height());

    $sidebar.css('top', topPosition);
});

我推荐的另一个建议是在addButton单击处理程序期间触发窗口滚动处理程序,以确保在添加项目时进行适当的调整。

$("#addButton").click(function () {
    $('<div/>', {
        'id': 'TextBoxDiv' + counter
    }).html(
    $('<label/>').html('Textbox #' + counter + ' : '))
        .append($('<input type="text">').attr({
            'id': 'textbox' + counter,
            'name': 'textbox' + counter
    })).appendTo('#TextBoxesGroup');

    // Trigger the scroll handler to ensure the sidebar is properly positioned
    $window.triggerHandler('scroll');

    counter++;
});

演示

于 2013-02-28T07:07:49.893 回答