How to draw Bezier curves with native Javascript code without ctx.bezierCurveTo?

前端 未结 1 791
后悔当初
后悔当初 2020-12-30 03:23

I need to draw and get coordinates of bezier curves of each steps with native Javascript without ctx.bezierCurveTo method.

I found several resources, but I confused.

相关标签:
1条回答
  • 2020-12-30 03:53

    You can plot out the Bezier:

    bezier = function(t, p0, p1, p2, p3){
      var cX = 3 * (p1.x - p0.x),
          bX = 3 * (p2.x - p1.x) - cX,
          aX = p3.x - p0.x - cX - bX;
    
      var cY = 3 * (p1.y - p0.y),
          bY = 3 * (p2.y - p1.y) - cY,
          aY = p3.y - p0.y - cY - bY;
    
      var x = (aX * Math.pow(t, 3)) + (bX * Math.pow(t, 2)) + (cX * t) + p0.x;
      var y = (aY * Math.pow(t, 3)) + (bY * Math.pow(t, 2)) + (cY * t) + p0.y;
    
      return {x: x, y: y};
    },
    
    (function(){
      var accuracy = 0.01, //this'll give the bezier 100 segments
          p0 = {x: 10, y: 10}, //use whatever points you want obviously
          p1 = {x: 50, y: 100},
          p2 = {x: 150, y: 200},
          p3 = {x: 200, y: 75},
          ctx = document.createElement('canvas').getContext('2d');
    
      ctx.width = 500;
      ctx.height = 500;
      document.body.appendChild(ctx.canvas);
    
      ctx.moveTo(p0.x, p0.y);
      for (var i=0; i<1; i+=accuracy){
         var p = bezier(i, p0, p1, p2, p3);
         ctx.lineTo(p.x, p.y);
      }
    
      ctx.stroke()
    })()
    

    Here's a fiddle http://jsfiddle.net/fQYsU/

    0 讨论(0)
提交回复
热议问题