与轻松三次贝塞尔函数相反

问题描述 投票:0回答:3

我有

ease
三次贝塞尔函数:
cubic-bezier(.25,.1,.25,1)
(http://cubic-bezier.com/#.25,.1,.25,1)

我想要相反的。这是我想要实现的目标的图形表示:

左边的图是我所拥有的,右边图的功能是我想要实现的。

Image

javascript css-transitions bezier cubic
3个回答
4
投票

如果您想按照更新的答案进行轮换,我们所要做的就是......好吧,就是这样。绕 (0.5,0.5) 旋转 180 度或 π 弧度角。假设我们有一条编码为数组

c
的曲线,其中包含四个点对象
{ x:..., y... }
,那么我们可以将这种旋转实现为:

c = [ {x:...,y:...}, ..., ..., ...];

function halfUnitTurn(v) {
  // Note: it's actually 0.5 + ((v.x-0.5)*cos(pi) - (v.x-0.5)*sin(pi)),
  // (and x*sin + y*cos for the y:... part) but: cos(pi) is just -1, and
  // sin(pi) is 0, so things REALLY simplify!
  return {
    x: 0.5 - (v.x-0.5),
    y: 0.5 - (v.y-0.5)
  };
}

var rotated = c.map(function(p) { return halfUnitTurn(p); });

作为演示代码:http://jsfiddle.net/mokg77fq/


2
投票

这是 Mike 放入可重用函数中的精彩代码:

function reverseCssCubicBezier(cubicBezier) {
    var maxX = Math.max(cubicBezier[0].x, cubicBezier[1].x, cubicBezier[2].x, cubicBezier[3].x);
    var maxY = Math.max(cubicBezier[0].y, cubicBezier[1].y, cubicBezier[2].y, cubicBezier[3].y);
    var halfUnitTurn = function(v) {
        var tx = maxX/2, ty = maxY/2;
        return { x: tx - (v.x-tx), y: ty - (v.y-ty) };
    };
    var revd = cubicBezier.map(halfUnitTurn);
    return revd.reverse();
}

这是如何使用它:

var ease = [{x:0,y:0}, {x:.25,y:.1}, {x:.25,y:1}, {x:1,y:1}]; //cubic-bezier(.25, .1, .25, 1)
var ease_reversed = reverseCssCubicBezier(ease);
var ease_css_string = 'cubic_bezier(' + [ease[1].x, ease[1].y, ease[2].x, ease[2].y].join(', ') + ')';
var ease_reversed_css_string = 'cubic_bezier(' + [ease_reversed[1].x, ease_reversed[1].y, ease_reversed[2].x, ease_reversed[2].y].join(', ') + ')';

这将返回:

ease: [{x:0, y:0}, {x:0.25, y:0.1}, {x:0.25, y:1}, {x:1, y:1}]
ease-reversed: [{x:0, y:0}, {x:0.75, y:0}, {x:0.75, y:0.9}, {x:1, y:1}]

ease: cubic_bezier(0.25, 0.1, 0.25, 1)
ease-reversed: cubic_bezier(0.75, 0, 0.75, 0.9)

从图形上我们看到它的完美重叠,我将绿色的向左移动了一点以显示它的完美重叠。

谢谢迈克!


0
投票

这个更简单的解决方案怎么样?

const reverseCurve = curve => [1 - curve[2], 1 - curve[3], 1 - curve[0], 1 - curve[1]];

const bezierCurve = [.25, .1, .25, 1]; // cubic-bezier(.25,.1,.25,1)
const reversedBezierCurve = reverseCurve(bezierCurve);

console.log(reversedBezierCurve); // [.75, 0, .75, .9]
© www.soinside.com 2019 - 2024. All rights reserved.