9

好的,所以这对我来说真的很沮丧,首先,如果我的问题框架有误,请编辑它(如果你这么认为)......好吧,因为我的屏幕会向你解释,但我仍然希望我的元素应该保持特定的形状而不是随着动画旋转,我错过了一些非常愚蠢的东西吗?

我想要什么

我想要的是

发生了什么

发生了什么

欢迎使用 jQuery 解决方案(但我更喜欢 CSS3 解决方案)

注意:不要继续元素的不透明度,1 是用 Paint 和其他用 Photoshop 制作的,What Matter's Is Square 应该旋转为方形

HTML

<div><span></span></div>

CSS

@keyframes round_round {
    from {
        transform: rotate(0deg);
    }
    to {
        transform: rotate(360deg);
    }
}

div {
    width: 50px;
    height: 50px;
    animation: round_round 3s linear infinite;
    margin: 50px auto 0;
    transform-origin: 50% 150px;
    background-color: #8FC1E0;
}

span {
    display: inline-block;
    margin: 5px;
    height: 5px;
    width: 5px;
    background: #c00000;
}

演示

4

2 回答 2

17

绝对定位,不要更改transform-origin,将其保留在50% 50%

然后简单地旋转元素,通过半径值平移它,然后取消第一次旋转 - 你可以在这里看到链式变换是如何工作的。

@keyframes rot {
  0% { transform: rotate(0deg) translate(150px) rotate(0deg); }
  100% { transform: rotate(360deg) translate(150px) rotate(-360deg); }
}

演示

于 2012-12-27T16:36:58.757 回答
2

我刚刚为那些不想使用 CSS 3 动画(例如出于兼容性原因)的人编写了一个纯 JavaScript 实现。

演示

// requestAnim shim layer by Paul Irish
window.requestAnimFrame = (function(){
  return  window.requestAnimationFrame       || 
          window.webkitRequestAnimationFrame || 
          window.mozRequestAnimationFrame    || 
          window.oRequestAnimationFrame      || 
          window.msRequestAnimationFrame     || 
          function(/* function */ callback, /* DOMElement */ element) {
            window.setTimeout(callback, 1000 / 60);
          };
})();

function CircleAnimater(elem, radius, speed) {
    this.elem = elem;
    this.radius = radius;
    this.angle = 0;
    this.origX = this.elem.offsetLeft;
    this.origY = this.elem.offsetTop;
    
    this.shouldStop = false;
    this.lastFrame = 0;
    this.speed = speed;
}

CircleAnimater.prototype.start = function () {
    this.lastFrame = +new Date;
    this.shouldStop = false;
    this.animate();
}
    
CircleAnimater.prototype.stop = function () {
    this.shouldStop = true;
}
    
CircleAnimater.prototype.animate = function () {
    var now    = +new Date,
        deltaT = now - this.lastFrame;
    
    var newY = Math.sin(this.angle) * this.radius;
    var newX = Math.cos(this.angle) * this.radius;

    this.elem.style.left = (this.origX + newX) + "px";
    this.elem.style.top = (this.origY + newY) + "px";
    this.angle += (this.speed * deltaT);

    this.lastFrame = +new Date;

    if (!this.shouldStop) {
        var $this = this;
        requestAnimFrame(function () {
            $this.animate();
        });
    }        
}
于 2012-12-27T16:58:52.637 回答