如何在*因屏幕方向改变而调整大小后获得元素*的新尺寸?

时间:2012-03-29 16:19:58

标签: javascript jquery mobile jquery-mobile

我正在使用移动网络应用,在我的网页中,我有一个div元素,其宽度设置为100%。

我需要设置此div的高度,以便高度对于设置的宽高比是正确的。因此,例如,如果屏幕大小为300像素宽且比例为3:2,我的脚本应该抓住div的宽度(此时应该是300px)并将高度设置为200px。

首次加载时,这非常有效。但是,如果我将手机的屏幕旋转为横向,div的宽度会明显改变,所以我需要重置其高度以保持正确的比例。

我的问题是,在元素调整大小后,我找不到触发的事件。 jQuery Mobile内置了一个orientationchange事件,当屏幕从纵向旋转到横向时有助于触发,反之亦然:

$(window).bind('orientationchange', function (e) {

    // Correctly alerts 'landscape' or 'portrait' when orientation is changed
    alert(e.orientation); 

    // Set height of div
    var div = $('#div');
    var width = div.width();

    // Shows the *old* width, i.e the div's width before the rotation
    alert(width);

    // Set the height of the div (wrongly, because width is incorrect at this stage)
    div.css({ height: Math.ceil(width / ratio) });

});

但是这个事件似乎在之前触发页面中的任何元素都已调整大小以适应新布局,这意味着(如评论中所述)我只能得到预旋转宽度div,这不是我需要的。

有没有人知道我怎样才能获得div的新宽度事情已调整大小之后?

1 个答案:

答案 0 :(得分:8)

您可以尝试几种方法:

(1)orientationchange事件处理程序中设置超时,以便DOM可以自行更新,浏览器可以在轮询新维度之前绘制所有更改:

$(window).bind('orientationchange', function (e) { 
    setTimeout(function () {
        // Get height of div
        var div   = $('#div'),
            width = div.width();

        // Set the height of the div
        div.css({ height: Math.ceil(width / ratio) });
    }, 500);
});

它不会产生太大差异,但请注意Math.ceil需要比Math.floor更长的时间来完成(相对),因为后者只需要丢弃小数点后的所有内容。我通常只是在浏览器中传递未触摸的浮点数,然后将其放在想要的位置。

(2)使用window.resize事件来查看更新是否足够快:

$(window).bind('resize', function (e) { 
    // Get height of div
    var div   = $('#div'),
        width = div.width();

    // Set the height of the div
    div.css({ height: Math.ceil(width / ratio) });
});

在移动设备上,当方向发生变化时会触发,因为浏览器视口的大小也会发生变化。

(3)如果您要更新此<div>元素的大小,因为它包含图像,只需将一些CSS应用于图像,使其始终为全宽并且正确的宽高比:

.my-image-class {
    width  : 100%;
    height : auto;
}