0

这个问题类似,我有一个嵌套的 div,它是其父级的全宽和全高。但是,与其他问题不同,我想为嵌套 div 的翻译设置动画,因此建议的 position:static 修复不适用。

以下是我的测试用例:

HTML:

<div id="theBox">
<div id="innerBox"></div>
</div>​

CSS:

#theBox {
    border: 1px solid black;
    border-radius: 15px;
    width: 100px;
    height: 30px;
    overflow: hidden;
}

#innerBox {
    width: 100%;
    height: 100%;
    background-color: gray;
    -webkit-transition: -webkit-transform 300ms ease-in-out;
    -moz-transition: -moz-transform 300ms ease-in-out;
}

JavaScript:

setTimeout(function () {
    var innerBox = document.getElementById("innerBox");
    var transformText = "translate3d(70px, 0, 0)";
    innerBox.style.webkitTransform = transformText;
    innerBox.style.MozTransform = transformText;
}, 1000);

http://jsfiddle.net/pv2dc/

这在 Firefox 15.0.1 中运行良好,但在 Safari 6.0.1 中,内部 div 不会被父 div 的弯曲边框剪裁。

是否有解决此问题的方法?

4

1 回答 1

0

有趣的是,如果translate3d()您不使用 2Dtranslate()变换功能,则在完成过渡后会裁剪内部 div:http: //jsfiddle.net/pv2dc/1/

因此,一种解决方法是不使用转换,而是自己为转换设置动画:

CSS:

#theBox {
    border: 1px solid black;
    border-radius: 15px;
    width: 100px;
    height: 30px;
    overflow: hidden;
}

#innerBox {
    width: 100%;
    height: 100%;
    background-color: gray;
}

JavaScript:

(function() {
    var requestAnimationFrame = window.requestAnimationFrame ||
        window.mozRequestAnimationFrame ||
        window.webkitRequestAnimationFrame ||
        window.msRequestAnimationFrame;
    window.requestAnimationFrame = requestAnimationFrame;
})();

setTimeout(function () {
    var start = window.mozAnimationStartTime || Date.now();
    function step(timestamp) {
        var progress = timestamp - start;
        var transformText = "translate(" + (70 * progress / 300) + "px)";
        if (progress >= 300) transformText = "translate(70px)";
        innerBox.style.webkitTransform = transformText;
        innerBox.style.MozTransform = transformText;
        if (progress < 300) {
            window.requestAnimationFrame(step);
        }
    }
    window.requestAnimationFrame(step);
}, 1000);

http://jsfiddle.net/pv2dc/2/

此示例使用线性定时功能,但也可以使用缓入出功能。见: http: //www.netzgesta.de/dev/cubic-bezier-timing-function.html

于 2012-09-20T22:32:52.087 回答