我想使用css3过渡来使用phonegap平滑指南针移动。我计算所需的旋转角度为0到359。
问题是,当它应该从例如359变为0时,它不会顺时针旋转1度,而是逆时针旋转359度。
有没有办法告诉css总是采用最短的旋转方式?
答案 0 :(得分:16)
变换正是你告诉它的。
从359deg开始并转到1deg。你期待'翻转'360deg回到1deg,真的是361deg。变换转换的工作方式是在值之间进行插值。
问题的解决方案是创建一个包含旋转度的计数器变量:
var rot = 0; // lets start at zero, you can apply whatever later
要应用旋转,请更改值:
rot = 359;
// note the extra brackets to ensure the expression is evaluated before
// the string is assigned this is require in some browsers
element.style.transform = ("rotate( " + rot + "deg )");
所以,如果你这样做:
rot = 1;
element.style.transform = ("rotate( " + rot + "deg )");
它回去了。因此,无论经过多少次旋转,您都需要查看它是否接近360或0。您可以通过选中element.style.transform
的值来执行此操作,该值仅为当前rot
值,然后与新的rot
值进行比较。但是,您需要针对可能存在的旋转次数执行此操作,因此:
var apparentRot = rot % 360;
现在无论它有多少次旋转,你知道它周围有多远,负值等于值+ 360:
if ( apparentRot < 0 ) { apparentRot += 360; }
现在您已将任何负值标准化,并且可以询问是否需要正向旋转(在您的情况下为360度)或为负值。由于您似乎将新的旋转值设置为0-360deg,这可以简化您的问题。您可以询问新旋转+ 360是否比新旋转本身更接近旧值:
var aR, // what the current rotation appears to be (apparentRot shortened)
nR, // the new rotation desired (newRot)
rot; // what the current rotation is and thus the 'counter'
// there are two interesting events where you have to rotate through 0/360
// the first is when the original rotation is less than 180 and the new one
// is greater than 180deg larger, then we go through the apparent 0 to 359...
if ( aR < 180 && (nR > (aR + 180)) ) {
// rotate back
rot -= 360;
}
// the second case is when the original rotation is over 180deg and the new
// rotation is less than 180deg smaller
if ( aR >= 180 && (nR <= (aR - 180)) ) {
// rotate forward
rot += 360;
}
除此之外,只需将新轮换的值添加到rot
即可:
rot += (nR - aR); // if the apparent rotation is bigger, then the difference is
// 'negatively' added to the counter, so the counter is
// correctly kept, same for nR being larger, the difference is
// added to the counter
稍微清理一下:
var el, rot;
function rotateThis(element, nR) {
var aR;
rot = rot || 0; // if rot undefined or 0, make 0, else rot
aR = rot % 360;
if ( aR < 0 ) { aR += 360; }
if ( aR < 180 && (nR > (aR + 180)) ) { rot -= 360; }
if ( aR >= 180 && (nR <= (aR - 180)) ) { rot += 360; }
rot += (nR - aR);
element.style.transform = ("rotate( " + rot + "deg )");
}
// this is how to intialize and apply 0
el = document.getElementById("elementYouWantToUse");
rotateThis(el, 0);
// now call function
rotateThis(el, 359);
rotateThis(el, 1);
计数器可以是正数或负数,无关紧要,只需使用介于0-359之间的值进行新的旋转。
答案 1 :(得分:0)
看看你是否可以使用负数。从-1deg到0deg是顺时针方向,从359deg到0deg是逆时针方向。
答案 2 :(得分:0)
正如您所提到的,CSS过渡不会在开始和结束旋转之间找到最短的路径,而是在开始和结束旋转之间进行完全动画处理。例如,从0到720会使指南针的动画旋转两次,而不是如您所愿地保持静止。
解决方案是在每次更新时将旋转角度设置为与当前旋转角度最接近的等效角度。由于罗盘可以轻松地在任一方向多次旋转,因此计算该角度的功能需要处理大角度和负角度。诀窍是计算旧角度与请求角度之间的差并将其转换为范围(-180,180),以便动画始终在正确方向上采用最短路径。您只需将此差异添加到旧角度即可获得新角度。
function closestEquivalentAngle(from, to) {
var delta = ((((to - from) % 360) + 540) % 360) - 180;
return from + delta;
}
除了将差异钳位到(-180,180)之外,上述功能非常简单。它利用模数算法来做到这一点: