What you need is the De Casteljau algorithm. This will allow you to split your curve into whatever segments you'd like.
However, since you're dealing with just cubic curves, I'd like to suggest a slightly easier to use formulation that'll give you a segment from t0
to t1
where 0 <= t0 <= t1 <= 1
. Here's some pseudocode:
u0 = 1.0 - t0
u1 = 1.0 - t1
xa = x1*u0*u0 + bx1*2*t0*u0 + bx2*t0*t0
xb = x1*u1*u1 + bx1*2*t1*u1 + bx2*t1*t1
xc = bx1*u0*u0 + bx2*2*t0*u0 + x2*t0*t0
xd = bx1*u1*u1 + bx2*2*t1*u1 + x2*t1*t1
ya = y1*u0*u0 + by1*2*t0*u0 + by2*t0*t0
yb = y1*u1*u1 + by1*2*t1*u1 + by2*t1*t1
yc = by1*u0*u0 + by2*2*t0*u0 + y2*t0*t0
yd = by1*u1*u1 + by2*2*t1*u1 + y2*t1*t1
Then just draw the Bézier curve formed by (xa,ya)
, (xb,yb)
, (xc,yc)
and (xd,yd)
.
Note that t0
and t1
are not exactly percentages of the curve distance but rather the curves parameter space. If you absolutely must have distance then things are much more difficult. Try this out and see if it does what you need.
Edit: It's worth noting that these equations simplify quite a bit if either t0
or t1
is 0 or 1 (i.e. you only want to trim from one side).
Also, the relationship 0 <= t0 <= t1 <= 1
isn't a strict requirement. For example t0 = 1
and t1 = 0
can be used to "flip" the curve backwards, or t0 = 0
and t1 = 1.5
could be used to extend the curve past the original end. However, the curve might look different than you expect if you try to extend it past the [0,1]
range.