33

Given the following path (for example) which describes a SVG cubic bezier curve:

M 300,140 C 300,40, 500,40, 500,140

And assuming a straight line connecting the end points 300,140 to 500,140 (closing the area under the curve), is it possible to calculate the area so enclosed?

Can anyone suggest a formula (or JavaScript) to accomplish this?

Zearin
  • 1,474
  • 2
  • 17
  • 36
MikeW
  • 369
  • 1
  • 3
  • 8
  • 1
    You might get quicker & better answers at http://math.stackexchange.com/ – Ramesh Apr 06 '12 at 08:33
  • 1
    Looking forward to seeing a good answer to this question :) – mihai Apr 06 '12 at 14:43
  • It would be good if you clarified your expectations when a) the curve crosses the connecting line (goes "negative", like a 'u'), and b) the curve has a loop (e.g. the cursive letter 'e'), and c) the curve has multiple y values for each x (e.g. the capital letter 'S'). – Phrogz Apr 06 '12 at 14:59

9 Answers9

55

Convert the path to a polygon of arbitrary precision, and then calculate the area of the polygon.

Interactive Demo: Area of Path via Subdivision (broken)

                      Screenshot of Demo

At its core the above demo uses functions for adaptively subdividing path into a polygon and computing the area of a polygon:

// path:      an SVG <path> element
// threshold: a 'close-enough' limit (ignore subdivisions with area less than this)
// segments:  (optional) how many segments to subdivisions to create at each level
// returns:   a new SVG <polygon> element
function pathToPolygonViaSubdivision(path,threshold,segments){
  if (!threshold) threshold = 0.0001; // Get really, really close
  if (!segments)  segments = 3;       // 2 segments creates 0-area triangles

  var points = subdivide( ptWithLength(0), ptWithLength( path.getTotalLength() ) );
  for (var i=points.length;i--;) points[i] = [points[i].x,points[i].y];

  var doc  = path.ownerDocument;
  var poly = doc.createElementNS('http://www.w3.org/2000/svg','polygon');
  poly.setAttribute('points',points.join(' '));
  return poly;

  // Record the distance along the path with the point for later reference
  function ptWithLength(d) {
    var pt = path.getPointAtLength(d); pt.d = d; return pt;
  }

  // Create segments evenly spaced between two points on the path.
  // If the area of the result is less than the threshold return the endpoints.
  // Otherwise, keep the intermediary points and subdivide each consecutive pair.
  function subdivide(p1,p2){
    var pts=[p1];
    for (var i=1,step=(p2.d-p1.d)/segments;i<segments;i++){
      pts[i] = ptWithLength(p1.d + step*i);
    }
    pts.push(p2);
    if (polyArea(pts)<=threshold) return [p1,p2];
    else {
      var result = [];
      for (var i=1;i<pts.length;++i){
        var mids = subdivide(pts[i-1], pts[i]);
        mids.pop(); // We'll get the last point as the start of the next pair
        result = result.concat(mids)
      }
      result.push(p2);
      return result;
    }
  }

  // Calculate the area of an polygon represented by an array of points
  function polyArea(points){
    var p1,p2;
    for(var area=0,len=points.length,i=0;i<len;++i){
      p1 = points[i];
      p2 = points[(i-1+len)%len]; // Previous point, with wraparound
      area += (p2.x+p1.x) * (p2.y-p1.y);
    }
    return Math.abs(area/2);
  }
}
// Return the area for an SVG <polygon> or <polyline>
// Self-crossing polys reduce the effective 'area'
function polyArea(poly){
  var area=0,pts=poly.points,len=pts.numberOfItems;
  for(var i=0;i<len;++i){
    var p1 = pts.getItem(i), p2=pts.getItem((i+-1+len)%len);
    area += (p2.x+p1.x) * (p2.y-p1.y);
  }
  return Math.abs(area/2);
}

Following is the original answer, which uses a different (non-adaptive) technique for converting the <path> to a <polygon>.

Interactive Demo: http://phrogz.net/svg/area_of_path.xhtml (broken)

                  Screenshot of Demo

At its core the above demo uses functions for approximating a path with a polygon and computing the area of a polygon.

// Calculate the area of an SVG polygon/polyline
function polyArea(poly){
  var area=0,pts=poly.points,len=pts.numberOfItems;
  for(var i=0;i<len;++i){
    var p1 = pts.getItem(i), p2=pts.getItem((i+len-1)%len);
    area += (p2.x+p1.x) * (p2.y-p1.y);
  }
  return Math.abs(area/2);
}

// Create a <polygon> approximation for an SVG <path>
function pathToPolygon(path,samples){
  if (!samples) samples = 0;
  var doc = path.ownerDocument;
  var poly = doc.createElementNS('http://www.w3.org/2000/svg','polygon');

  // Put all path segments in a queue
  for (var segs=[],s=path.pathSegList,i=s.numberOfItems-1;i>=0;--i)
    segs[i] = s.getItem(i);
  var segments = segs.concat();

  var seg,lastSeg,points=[],x,y;
  var addSegmentPoint = function(s){
    if (s.pathSegType == SVGPathSeg.PATHSEG_CLOSEPATH){
      
    }else{
      if (s.pathSegType%2==1 && s.pathSegType>1){
        x+=s.x; y+=s.y;
      }else{
        x=s.x; y=s.y;
      }          
      var last = points[points.length-1];
      if (!last || x!=last[0] || y!=last[1]) points.push([x,y]);
    }
  };
  for (var d=0,len=path.getTotalLength(),step=len/samples;d<=len;d+=step){
    var seg = segments[path.getPathSegAtLength(d)];
    var pt  = path.getPointAtLength(d);
    if (seg != lastSeg){
      lastSeg = seg;
      while (segs.length && segs[0]!=seg) addSegmentPoint( segs.shift() );
    }
    var last = points[points.length-1];
    if (!last || pt.x!=last[0] || pt.y!=last[1]) points.push([pt.x,pt.y]);
  }
  for (var i=0,len=segs.length;i<len;++i) addSegmentPoint(segs[i]);
  for (var i=0,len=points.length;i<len;++i) points[i] = points[i].join(',');
  poly.setAttribute('points',points.join(' '));
  return poly;
}
ashleedawg
  • 20,365
  • 9
  • 72
  • 105
Phrogz
  • 296,393
  • 112
  • 651
  • 745
  • actually your solution is innovative, of course it has no chance against to closed form solutions but you may write an optimized code and compare with a solution by numerical integration methods which follows similar approach with yours. – Semih Ozmen Apr 06 '12 at 22:00
  • 2
    This solution is quite adequate for my purposes AND it saved me from revisiting college calculus! I had already written a function to calculate the area of polygons. I wish it had occurred to me to convert the curves; it seems obvious now. Thank you to @Phrogz... – MikeW Apr 07 '12 at 02:32
  • Phrogz demo (and the source from the demo) lays out a simple and elegant solution to this question. Basically you convert the curve (ANY type of curve or arc) to a polygon that approximates the curve. Then it's a fairly trivial matter to calculate the area of the polygon. This is particularly useful since by extension you can calculate the area of any svg path (at least a reasonable approximation). – MikeW Apr 07 '12 at 02:43
  • 2
    This is a fine quick and dirty brute force solution. But if you want more exact precision, this is not suitable: try to set extra samples to 100 and make a tight curve (curve that has a high curvature area somewhere). You see that in this part there are not enough samples. The solution is then to increase the sample size from 100 to 200 or 500, but this makes the code slow when there are tens of curves. Better, faster and more precise solution is eg. an adaptive curve splitting, that produces more samples on tight parts and less in looser parts of the curve. – Timo Kähkönen Jun 07 '13 at 12:13
  • 3
    @Timo OK, you've convinced me. I've edited my answer with a new function that adaptively subdivides a `` to produce a poly. Note that this new technique may fail for certain self-crossing paths. (Unlucky sample placement resulting in a self-crossing polygon can result in near-zero area, causing the subdivision algorithm to consider its work done.) – Phrogz Dec 22 '13 at 06:56
  • According to [Mozilla the ``SVGPathElement.getPointAtLength()`` is deprecated](https://developer.mozilla.org/de/docs/Web/API/SVGPathElement/getPointAtLength). In addition this only works in javascript if there is the ``SVGPathElement.getPointAtLength()`` function. I needed it in the back end where I cannot use this method. For more details have a look at my answer below. – miile7 Apr 12 '19 at 06:52
  • 1
    The bit of magic that actually calculates the area, `area += (p2.x+p1.x) * (p2.y-p1.y)`, is known as the shoelace formula: https://en.wikipedia.org/wiki/Shoelace_formula – BallpointBen Dec 29 '20 at 22:16
  • 2
    I don't know about before but [`getPointAtLength`](https://developer.mozilla.org/docs/Web/API/SVGGeometryElement/getPointAtLength) is not deprecated now. Regardless, the demo is broken, sadly, as I noted in an edit to the answer. (Yet another case for keeping things like demo's limited to internal Snippets, attached to the answer.) – ashleedawg Aug 03 '21 at 05:56
13

I hesitated to just make a comment or a full reply. But a simple Google search of "area bezier curve" results in the first three links (the first one being this same post), in :

http://objectmix.com/graphics/133553-area-closed-bezier-curve.html (archived)

that provides the closed form solution, using the divergence theorem. I am surprised that this link has not been found by the OP.

Copying the text in case the website goes down, and crediting the author of the reply Kalle Rutanen:

An interesting problem. For any piecewise differentiable curve in 2D, the following general procedure gives you the area inside the curve / series of curves. For polynomial curves (Bezier curves), you will get closed form solutions.

Let g(t) be a piecewise differentiable curve, with 0 <= t <= 1. g(t) is oriented clockwise and g(1) = g(0).

Let F(x, y) = [x, y] / 2

Then div(F(x, y)) = 1 where div is for divergence.

Now the divergence theorem gives you the area inside the closed curve g (t) as a line integral along the curve:

int(dot(F(g(t)), perp(g'(t))) dt, t = 0..1) = (1 / 2) * int(dot(g(t), perp(g'(t))) dt, t = 0..1)

perp(x, y) = (-y, x)

where int is for integration, ' for differentiation and dot for dot product. The integration has to be pieced to the parts corresponding to the smooth curve segments.

Now for examples. Take the Bezier degree 3 and one such curve with control points (x0, y0), (x1, y1), (x2, y2), (x3, y3). The integral over this curve is:

I := 3 / 10 * y1 * x0 - 3 / 20 * y1 * x2 - 3 / 20 * y1 * x3 - 3 / 10 * y0 * x1 - 3 / 20 * y0 * x2 - 1 / 20 * y0 * x3 + 3 / 20 * y2 * x0 + 3 / 20 * y2 * x1 - 3 / 10 * y2 * x3 + 1 / 20 * y3 * x0 + 3 / 20 * y3 * x1 + 3 / 10 * y3 * x2

Calculate this for each curve in the sequence and add them up. The sum is the area enclosed by the curves (assuming the curves form a loop).

If the curve consists of just one Bezier curve, then it must be x3 = x0 and y3 = y0, and the area is:

Area := 3 / 20 * y1 * x0 - 3 / 20 * y1 * x2 - 3 / 20 * y0 * x1 + 3 / 20 * y0 * x2 - 3 / 20 * y2 * x0 + 3 / 20 * y2 * x1

Hope I did not do mistakes.

--
Kalle Rutanen
http://kaba.hilvi.org

Ivan Black
  • 4,827
  • 1
  • 35
  • 33
nbonneel
  • 3,286
  • 4
  • 29
  • 39
  • 3
    I followed your link and it went through a whole bunch of redirects to a place to buy a watch. I'm not sure if it's working right. – RamenChef Jan 11 '19 at 15:47
  • 2
    @nbonneel - *"Copying the text in case the website goes down..."* ...Thank you! The website did indeed go down. I wish everyone would take the extra second when sharing external info! In this case there is an [archived](https://web.archive.org/web/20160701040856/http://objectmix.com/graphics/133553-area-closed-bezier-curve.html) of the page, but formatting is messed up, and not all pages get archived... Anyway, this was the info I've been seeking, thanks again! – ashleedawg Aug 03 '21 at 06:03
  • 1
    I think this is the best answer. This is not an approximation. – kamae Oct 25 '21 at 10:37
4

I had the same problem but I am not using javascript so I cannot use the accepted answer of @Phrogz. In addition the SVGPathElement.getPointAtLength() which is used in the accepted answer is deprecated according to Mozilla.

When describing a Bézier curve with the points (x0/y0), (x1/y1), (x2/y2) and (x3/y3) (where (x0/y0) is the start point and (x3/y3) the end point) you can use the parametrized form:

Parametrized form of a cubic bezier curve (source: Wikipedia)

with B(t) being the point on the Bézier curve and Pi the Bézier curve defining point (see above, P0 is the starting point, ...). t is the running variable with 0 ≤ t ≤ 1.

This form makes it very easy to approximate a Bézier curve: You can generate as much points as you want by using t = i / npoints. (Note that you have to add the start and the end point). The result is a polygon. You can then use the shoelace formular (like @Phrogz did in his solution) to calculate the area. Note that for the shoelace formular the order of the points is important. By using t as the parameter the order will always be correct.

Interactive demo preview

To match the question here is an interactive example in the code snippet, also written in javascript. This can be adopted to other languages. It does not use any javascript (or svg) specific commands (except for the drawings). Note that this requires a browser which supports HTML5 to work.

/**
 *  Approximate the bezier curve points.
 *
 *  @param bezier_points: object, the points that define the
 *                          bezier curve
 *  @param point_number:  int, the number of points to use to
 *                          approximate the bezier curve
 *
 *  @return Array, an array which contains arrays where the 
 *    index 0 contains the x and the index 1 contains the 
 *     y value as floats
 */
function getBezierApproxPoints(bezier_points, point_number){
  if(typeof bezier_points == "undefined" || bezier_points === null){
    return [];
  }
  
  var approx_points = [];
  // add the starting point
  approx_points.push([bezier_points["x0"], bezier_points["y0"]]);
  
  // implementation of the bezier curve as B(t), for futher
  // information visit 
  // https://wikipedia.org/wiki/B%C3%A9zier_curve#Cubic_B%C3%A9zier_curves
  var bezier = function(t, p0, p1, p2, p3){
    return Math.pow(1 - t, 3) * p0 + 
      3 * Math.pow(1 - t, 2) * t * p1 + 
      3 * (1 - t) * Math.pow(t, 2) * p2 + 
      Math.pow(t, 3) * p3;
  };
  
  // Go through the number of points, divide the total t (which is 
  // between 0 and 1) by the number of points. (Note that this is 
  // point_number - 1 and starting at i = 1 because of adding the
  // start and the end points.)
  // Also note that using the t parameter this will make sure that 
  // the order of the points is correct.
  for(var i = 1; i < point_number - 1; i++){
    let t = i / (point_number - 1);
    approx_points.push([
      // calculate the value for x for the current t
      bezier(
        t, 
        bezier_points["x0"], 
        bezier_points["x1"], 
        bezier_points["x2"], 
        bezier_points["x3"]
      ),
      // calculate the y value
      bezier(
        t, 
        bezier_points["y0"], 
        bezier_points["y1"], 
        bezier_points["y2"], 
        bezier_points["y3"]
      )
    ]);
  }
  
  // Add the end point. Note that it is important to do this 
  // **after** the other points. Otherwise the polygon will 
  // have a weird form and the shoelace formular for calculating
  // the area will get a weird result.
  approx_points.push([bezier_points["x3"], bezier_points["y3"]]);
  
  return approx_points;
}

/**
 *  Get the bezier curve values of the given path.
 *
 *  The returned array contains objects where each object 
 *  describes one cubic bezier curve. The x0/y0 is the start 
 *  point and the x4/y4 is the end point. x1/y1 and x2/y2 are 
 *  the control points.
 *
 *  Note that a path can also contain other objects than 
 *  bezier curves. Arcs, quadratic bezier curves and lines 
 *  are ignored.
 *
 *  @param svg:     SVGElement, the svg
 *  @param path_id: String, the id of the path element in the
 *                    svg
 *
 *  @return array, an array of plain objects where each 
 *    object represents one cubic bezier curve with the values 
 *    x0 to x4 and y0 to y4 representing the x and y 
 *    coordinates of the points
 */
function getBezierPathPoints(svg, path_id){
  var path = svg.getElementById(path_id);
  if(path === null || !(path instanceof SVGPathElement)){
    return [];
  }
  
  var path_segments = splitPath(path);
  var points = [];
  
  var x = 0;
  var y = 0;
  for(index in path_segments){
    if(path_segments[index]["type"] == "C"){
      let bezier = {};
      // start is the end point of the last element
      bezier["x0"] = x;
      bezier["y0"] = y;
      bezier["x1"] = path_segments[index]["x1"];
      bezier["y1"] = path_segments[index]["y1"];
      bezier["x2"] = path_segments[index]["x2"];
      bezier["y2"] = path_segments[index]["y2"];
      bezier["x3"] = path_segments[index]["x"];
      bezier["y3"] = path_segments[index]["y"];
      points.push(bezier);
    }
    
    x = path_segments[index]["x"];
    y = path_segments[index]["y"];
  }
  
  return points;
}

/**
 *  Split the given path to the segments.
 *
 *  @param path:           SVGPathElement, the path
 *
 *  @return object, the split path `d`
 */
function splitPath(path){
  let d = path.getAttribute("d");
  d = d.split(/\s*,|\s+/);
  
  let segments = [];
  let segment_names = {
    "M": ["x", "y"],
    "m": ["dx", "dy"],
    "H": ["x"],
    "h": ["dx"],
    "V": ["y"],
    "v": ["dy"],
    "L": ["x", "y"],
    "l": ["dx", "dy"],
    "Z": [],
    "C": ["x1", "y1", "x2", "y2", "x", "y"],
    "c": ["dx1", "dy1", "dx2", "dy2", "dx", "dy"],
    "S": ["x2", "y2", "x", "y"],
    "s": ["dx2", "dy2", "dx", "dy"],
    "Q": ["x1", "y1", "x", "y"],
    "q": ["dx1", "dy1", "dx", "dy"],
    "T": ["x", "y"],
    "t": ["dx", "dy"],
    "A": ["rx", "ry", "rotation", "large-arc", "sweep", "x", "y"],
    "a": ["rx", "ry", "rotation", "large-arc", "sweep", "dx", "dy"]
  };
  let current_segment_type;
  let current_segment_value;
  let current_segment_index;
  for(let i = 0; i < d.length; i++){
    if(typeof current_segment_value == "number" && current_segment_value < segment_names[current_segment_type].length){
      let segment_values = segment_names[current_segment_type];
      segments[current_segment_index][segment_values[current_segment_value]] = d[i];
      current_segment_value++;
    }
    else if(typeof segment_names[d[i]] !== "undefined"){
      current_segment_index = segments.length;
      current_segment_type = d[i];
      current_segment_value = 0;
      segments.push({"type": current_segment_type});
    }
    else{
      delete current_segment_type;
      delete current_segment_value;
      delete current_segment_index;
    }
  }
  
  return segments;
}

/**
 *  Calculate the area of a polygon. The pts are the 
 *  points which define the polygon. This is
 *  implementing the shoelace formular.
 *
 *  @param pts: Array, the points
 *
 *  @return float, the area
 */
function polyArea(pts){
  var area = 0;
  var n = pts.length;
  for(var i = 0; i < n; i++){
    area += (pts[i][1] + pts[(i + 1) % n][1]) * (pts[i][0] - pts[(i + 1) % n][0]);
  }
  return Math.abs(area / 2);
}

// only for the demo
(function(){
  document.getElementById('number_of_points').addEventListener('change', function(){
    var svg = document.getElementById("svg");
    var bezier_points = getBezierPathPoints(svg, "path");
    // in this example there is only one bezier curve
    bezier_points = bezier_points[0];

    // number of approximation points
    var approx_points_num = parseInt(this.value);
    var approx_points = getBezierApproxPoints(bezier_points, approx_points_num);

    var doc = svg.ownerDocument;

    // remove polygon
    var polygons;
    while((polygons = doc.getElementsByTagName("polygon")).length > 0){
      polygons[0].parentNode.removeChild(polygons[0]);
    }

    // remove old circles
    var circles;
    while((circles = doc.getElementsByTagName("circle")).length > 0){
      circles[0].parentNode.removeChild(circles[0]);
    }

    // add new circles and create polygon
    var polygon_points = [];
    for(var i = 0; i < approx_points.length; i++){
      let circle = doc.createElementNS('http://www.w3.org/2000/svg', 'circle');
      circle.setAttribute('cx', approx_points[i][0]);
      circle.setAttribute('cy', approx_points[i][1]);
      circle.setAttribute('r', 1);
      circle.setAttribute('fill', '#449944');
      svg.appendChild(circle);
      polygon_points.push(approx_points[i][0], approx_points[i][1]);
    }

    var polygon = doc.createElementNS('http://www.w3.org/2000/svg', 'polygon');
    polygon.setAttribute("points", polygon_points.join(" "));
    polygon.setAttribute("stroke", "transparent");
    polygon.setAttribute("fill", "#cccc00");
    polygon.setAttribute("opacity", "0.7");
    svg.appendChild(polygon);

    doc.querySelector("output[name='points']").innerHTML = approx_points_num;
    doc.querySelector("output[name='area']").innerHTML = polyArea(approx_points);
  });
  
  var event = new Event("change");
  document.getElementById("number_of_points").dispatchEvent(event);
})();
<html>
  <body>
    <div style="width: 100%; text-align: center;">
      <svg width="250px" height="120px" viewBox="-5 -5 45 30" id="svg">
        <path d="M 0 0 C 10 15 50 40 30 0 Z" fill="transparent" stroke="black" id="path" />
      </svg>
      <br />
      <input type="range" min="3" max="100" value="5" class="slider" id="number_of_points">
      <br />
      Approximating with 
      <output name="points" for="number_of_points"></output>
      points, area is
      <output name="area"></output>
    </div>
  </body>
</html>
miile7
  • 2,547
  • 3
  • 23
  • 38
  • 3
    deprecated is rather misleading, it's simply moved to the parent interface so you can keep using it without worrying. The note below the deprecation explains that. – Robert Longson Jun 18 '19 at 08:33
3

I like the solution in the accepted answer by Phrogz, but I also looked a little further and found a way to do the same with Paper.js using the CompoundPath class and area property. See my Paper.js demo.

The result (surface area = 11856) is the exact same as with Phrogz's demo when using threshold 0, but the processing seems a lot quicker! I know it's overkill to load Paper.js just to calculate the surface area, but if you are considering implementing a framework or feel like investigating how Paper.js does it...

lmeurs
  • 16,111
  • 4
  • 27
  • 30
2

Firstly, I am not so familiar with Bézier curves, but I know that they are continuous functions. If you ensure that your cubic curve does not intersect itself, you may integrate it in closed form (I mean by using analytic integrals) on the given enclosing domain ([a-b]) and subtract the area of triangle that is formed by the the end joining straight line and the X axis. In case of intersection with the Bézier curve and end joining straight line, you may divide into sections and try to calculate each area separately in a consistent manner..

For me suitable search terms are "continuous function integration" "integrals" "area under a function" "calculus"

Of course you may generate discrete data from your Bézier curve fn and obtain discrete X-Y data and calculate the integral approximately.

Descriptive drawing

Armen Michaeli
  • 8,625
  • 8
  • 58
  • 95
Semih Ozmen
  • 571
  • 5
  • 20
  • 1
    Sorry for digging up an old answer, but in my understanding, the difficult part here is representing the curve as a y = f(x) function to compute the integral of. A Bézier curve is typically represented by a duo of parametric functions x = X(t) and y = Y(t), which at least in my understanding again, does not lend itself well to computing a definite integral that amounts to the area confined inside your drawn red and green segments. So while technically you're right about what you wrote, the challenge here is to compute the y = f(x) in the first place. – Armen Michaeli Jul 28 '21 at 21:19
2

Inspired by James Godfrey-Kittle's suggestion in this bézierInfo thread: add section: area under a bézier curve I've wrapped this concept in a js helper function, that will get svg <path> and other elements' areas. It's based on the same formula as suggested in @nbonneel's answer.

The main steps:

  1. Parse and normalize a path's d attribute to an array of absolute and cubic commands. For this task, I'm using Jarek Foksa's path-data polyfill. The polyfill allows us to retrieve absolute coordinates from any path by its getPathData({normalize:true}) option. This way we don't have to bother about relative, cubic or shorthand commands.

enter image description here

  1. Calculate the area for each curve segment (b0 and b1).

     /**
      * James Godfrey-Kittle@jamesgk 
      * https://github.com/Pomax/BezierInfo-2/issues/238
      */
     function getBezierArea(coords) {
         let x0 = coords[0];
         let y0 = coords[1];
         //if is cubic command
         if (coords.length == 8) {
             let x1 = coords[2];
             let y1 = coords[3];
             let x2 = coords[4];
             let y2 = coords[5];
             let x3 = coords[6];
             let y3 = coords[7];
             let area = (
                 x0 * (-2 * y1 - y2 + 3 * y3) +
                 x1 * (2 * y0 - y2 - y3) +
                 x2 * (y0 + y1 - 2 * y3) +
                 x3 * (-3 * y0 + y1 + 2 * y2)
             ) * 3 / 20;
             return area;
    
         } else {
             return 0;
         }
     }
    

x0, y0 are the last coordinates of the command preceding the current C command. x1, y1, x2, y2, x3, y3 are the current pathdata values.

Since we don't need a polygon approximation based on the rather expensive getPointAtLength() method – the calculation is comparatively fast.

  1. Add the remaining polygon's area to the bézier areas (p0). This step will also use the shoelace formula.

Example 1: semi circle with a radius of 50 (svg user units)

We can easily check, if the calculation works, since the expected result should be:

π·50²/2 = 3926.99

//example 1:
let svg = document.querySelector("svg");
let path = svg.querySelector("path");
let pathArea = getshapeAreaSimple(path);
let result = document.getElementById("result");
result.textContent = 'area: ' + pathArea;

function getshapeAreaSimple(el) {
  let totalArea = 0;
  let polyPoints = [];
  let type = el.nodeName.toLowerCase();
  let log = [];
  let bezierArea = 0;
  let pathData = el.getPathData({
    normalize: true
  });
  pathData.forEach(function(com, i) {
    let [type, values] = [com.type, com.values];
    if (values.length) {
      let prevC = i > 0 ? pathData[i - 1] : pathData[0];
      let prevCVals = prevC.values;
      let prevCValsL = prevCVals.length;
      let [x0, y0] = [prevCVals[prevCValsL - 2], prevCVals[prevCValsL - 1]];
      // C commands
      if (values.length == 6) {
        let area = getBezierArea([
          x0,
          y0,
          values[0],
          values[1],
          values[2],
          values[3],
          values[4],
          values[5]
        ]);
        //push points to calculate inner/remaining polygon area
        polyPoints.push([x0, y0], [values[4], values[5]]);
        bezierArea += area;
      }
      // L commands
      else {
        polyPoints.push([x0, y0], [values[0], values[1]]);
      }
    }
  });
  let areaPoly = polygonArea(polyPoints, false);
  //values have the same sign - subtract polygon area
  if ((areaPoly < 0 && bezierArea < 0) || (areaPoly > 0 && bezierArea > 0)) {
    totalArea = Math.abs(bezierArea) - Math.abs(areaPoly);
  } else {
    totalArea = Math.abs(bezierArea) + Math.abs(areaPoly);
  }
  return totalArea;
}

function getPathArea(pathData) {
  let totalArea = 0;
  let polyPoints = [];
  pathData.forEach(function(com, i) {
    let [type, values] = [com.type, com.values];
    if (values.length) {
      let prevC = i > 0 ? pathData[i - 1] : pathData[0];
      let prevCVals = prevC.values;
      let prevCValsL = prevCVals.length;
      let [x0, y0] = [prevCVals[prevCValsL - 2], prevCVals[prevCValsL - 1]];
      // C commands
      if (values.length == 6) {
        let area = getBezierArea([
          x0,
          y0,
          values[0],
          values[1],
          values[2],
          values[3],
          values[4],
          values[5]
        ]);
        //push points to calculate inner/remaining polygon area
        polyPoints.push([x0, y0], [values[4], values[5]]);
        totalArea += area;
      }
      // L commands
      else {
        polyPoints.push([x0, y0], [values[0], values[1]]);
      }
    }
  });
  let areaPoly = polygonArea(polyPoints);
  totalArea = Math.abs(areaPoly) + Math.abs(totalArea);
  return totalArea;
}

/**
 * James Godfrey-Kittle@jamesgk
 * https://github.com/Pomax/BezierInfo-2/issues/238
 */
function getBezierArea(coords) {
  let x0 = coords[0];
  let y0 = coords[1];
  //if is cubic command
  if (coords.length == 8) {
    let x1 = coords[2];
    let y1 = coords[3];
    let x2 = coords[4];
    let y2 = coords[5];
    let x3 = coords[6];
    let y3 = coords[7];
    let area =
      ((x0 * (-2 * y1 - y2 + 3 * y3) +
          x1 * (2 * y0 - y2 - y3) +
          x2 * (y0 + y1 - 2 * y3) +
          x3 * (-3 * y0 + y1 + 2 * y2)) *
        3) /
      20;
    return area;
  } else {
    return 0;
  }
}

function polygonArea(points, absolute = true) {
  let area = 0;
  for (let i = 0; i < points.length; i++) {
    const addX = points[i][0];
    const addY = points[i === points.length - 1 ? 0 : i + 1][1];
    const subX = points[i === points.length - 1 ? 0 : i + 1][0];
    const subY = points[i][1];
    area += addX * addY * 0.5 - subX * subY * 0.5;
  }
  if (absolute) {
    area = Math.abs(area);
  }
  return area;
}
svg {
  max-height: 20em;
  max-width: 100%;
  border: 1px solid #ccc;
  fill: #ccc;
}
<p> Expected area: <br /> π·50²/2 = 3926.99</p>
<p id="result"></p>
<svg viewBox="0 0 100 50">
        <path d="M50,0C22.383,0,0,22.385,0,49.998h100C100,22.385,77.613,0,50,0z" />
    </svg>
<script src="https://cdn.jsdelivr.net/npm/path-data-polyfill@1.0.3/path-data-polyfill.min.js"></script>

Example 2: get areas of primitives and compound paths

For a more versatile helper function, we can include primitives like <circle>, <ellipse>, <polygon> etc. and skip the bézier calculation for these element types.

Compound paths – so shapes like the letters O or i will require to calculate the areas for each sub path. If a sub path is within the boundaries of another shape like the letter O, we also need to subtract inner shapes from the total area.

function getshapeArea(el, decimals = 0) {
  let totalArea = 0;
  let polyPoints = [];
  let type = el.nodeName.toLowerCase();
  switch (type) {
    // 1. paths
    case "path":
      let pathData = el.getPathData({
        normalize: true
      });
      //check subpaths
      let subPathsData = splitSubpaths(pathData);
      let isCompoundPath = subPathsData.length > 1 ? true : false;
      let counterShapes = [];

      // check intersections for compund paths
      if (isCompoundPath) {
        let bboxArr = getSubPathBBoxes(subPathsData);
        bboxArr.forEach(function(bb, b) {
          //let path1 = path;
          for (let i = 0; i < bboxArr.length; i++) {
            let bb2 = bboxArr[i];
            if (bb != bb2) {
              let intersects = checkBBoxIntersections(bb, bb2);
              if (intersects) {
                counterShapes.push(i);
              }
            }
          }
        });
      }

      subPathsData.forEach(function(pathData, d) {
        //reset polygon points for each segment
        polyPoints = [];
        let bezierArea = 0;
        let pathArea = 0;
        let multiplier = 1;

        pathData.forEach(function(com, i) {
          let [type, values] = [com.type, com.values];
          if (values.length) {
            let prevC = i > 0 ? pathData[i - 1] : pathData[0];
            let prevCVals = prevC.values;
            let prevCValsL = prevCVals.length;
            let [x0, y0] = [
              prevCVals[prevCValsL - 2],
              prevCVals[prevCValsL - 1]
            ];
            // C commands
            if (values.length == 6) {
              let area = getBezierArea([
                x0,
                y0,
                values[0],
                values[1],
                values[2],
                values[3],
                values[4],
                values[5]
              ]);
              //push points to calculate inner/remaining polygon area
              polyPoints.push([x0, y0], [values[4], values[5]]);
              bezierArea += area;
            }
            // L commands
            else {
              polyPoints.push([x0, y0], [values[0], values[1]]);
            }
          }
        });
        //get area of remaining polygon
        let areaPoly = polygonArea(polyPoints, false);

        //subtract area by negative multiplier
        if (counterShapes.indexOf(d) !== -1) {
          multiplier = -1;
        }
        //values have the same sign - subtract polygon area
        if (
          (areaPoly < 0 && bezierArea < 0) ||
          (areaPoly > 0 && bezierArea > 0)
        ) {
          pathArea = (Math.abs(bezierArea) - Math.abs(areaPoly)) * multiplier;
        } else {
          pathArea = (Math.abs(bezierArea) + Math.abs(areaPoly)) * multiplier;
        }
        totalArea += pathArea;
      });
      break;

      // 2. primitives:
      // 2.1 circle an ellipse primitives
    case "circle":
    case "ellipse":
      totalArea = getEllipseArea(el);
      break;

      // 2.2 polygons
    case "polygon":
    case "polyline":
      totalArea = getPolygonArea(el);
      break;

      // 2.3 rectancle primitives
    case "rect":
      totalArea = getRectArea(el);
      break;
  }
  if (decimals > 0) {
    totalArea = +totalArea.toFixed(decimals);
  }
  return totalArea;
}

function getPathArea(pathData) {
  let totalArea = 0;
  let polyPoints = [];
  pathData.forEach(function(com, i) {
    let [type, values] = [com.type, com.values];
    if (values.length) {
      let prevC = i > 0 ? pathData[i - 1] : pathData[0];
      let prevCVals = prevC.values;
      let prevCValsL = prevCVals.length;
      let [x0, y0] = [prevCVals[prevCValsL - 2], prevCVals[prevCValsL - 1]];
      // C commands
      if (values.length == 6) {
        let area = getBezierArea([
          x0,
          y0,
          values[0],
          values[1],
          values[2],
          values[3],
          values[4],
          values[5]
        ]);
        //push points to calculate inner/remaining polygon area
        polyPoints.push([x0, y0], [values[4], values[5]]);
        totalArea += area;
      }
      // L commands
      else {
        polyPoints.push([x0, y0], [values[0], values[1]]);
      }
    }
  });
  let areaPoly = polygonArea(polyPoints);
  totalArea = Math.abs(areaPoly) + Math.abs(totalArea);
  return totalArea;
}

/**
 * James Godfrey-Kittle/@jamesgk : https://github.com/Pomax/BezierInfo-2/issues/238
 */
function getBezierArea(coords) {
  let x0 = coords[0];
  let y0 = coords[1];
  //if is cubic command
  if (coords.length == 8) {
    let x1 = coords[2];
    let y1 = coords[3];
    let x2 = coords[4];
    let y2 = coords[5];
    let x3 = coords[6];
    let y3 = coords[7];
    let area =
      ((x0 * (-2 * y1 - y2 + 3 * y3) +
          x1 * (2 * y0 - y2 - y3) +
          x2 * (y0 + y1 - 2 * y3) +
          x3 * (-3 * y0 + y1 + 2 * y2)) *
        3) /
      20;
    return area;
  } else {
    return 0;
  }
}

function polygonArea(points, absolute = true) {
  let area = 0;
  for (let i = 0; i < points.length; i++) {
    const addX = points[i][0];
    const addY = points[i === points.length - 1 ? 0 : i + 1][1];
    const subX = points[i === points.length - 1 ? 0 : i + 1][0];
    const subY = points[i][1];
    area += addX * addY * 0.5 - subX * subY * 0.5;
  }
  if (absolute) {
    area = Math.abs(area);
  }
  return area;
}

function getPolygonArea(el) {
  // convert point string to arra of numbers
  let points = el
    .getAttribute("points")
    .split(/,| /)
    .filter(Boolean)
    .map((val) => {
      return parseFloat(val);
    });
  let polyPoints = [];
  for (let i = 0; i < points.length; i += 2) {
    polyPoints.push([points[i], points[i + 1]]);
  }
  let area = polygonArea(polyPoints);
  return area;
}

function getRectArea(el) {
  let width = el.getAttribute("width");
  let height = el.getAttribute("height");
  let area = width * height;
  return area;
}

function getEllipseArea(el) {
  let r = el.getAttribute("r");
  let rx = el.getAttribute("rx");
  let ry = el.getAttribute("ry");
  //if circle – take radius
  rx = rx ? rx : r;
  ry = ry ? ry : r;
  let area = Math.PI * rx * ry;
  return area;
}

//path data helpers
function splitSubpaths(pathData) {
  let pathDataL = pathData.length;
  let subPathArr = [];
  let subPathMindex = [];
  pathData.forEach(function(com, i) {
    let [type, values] = [com["type"], com["values"]];
    if (type == "M") {
      subPathMindex.push(i);
    }
  });
  //split subPaths
  subPathMindex.forEach(function(index, i) {
    let end = subPathMindex[i + 1];
    let thisSeg = pathData.slice(index, end);
    subPathArr.push(thisSeg);
  });
  return subPathArr;
}

function getSubPathBBoxes(subPaths) {
  let ns = "http://www.w3.org/2000/svg";
  let svgTmp = document.createElementNS(ns, "svg");
  svgTmp.setAttribute("style", "position:absolute; width:0; height:0;");
  document.body.appendChild(svgTmp);
  let bboxArr = [];
  subPaths.forEach(function(pathData) {
    let pathTmp = document.createElementNS(ns, "path");
    svgTmp.appendChild(pathTmp);
    pathTmp.setPathData(pathData);
    let bb = pathTmp.getBBox();
    bboxArr.push(bb);
  });
  svgTmp.remove();
  return bboxArr;
}

function checkBBoxIntersections(bb, bb1) {
  let [x, y, width, height, right, bottom] = [
    bb.x,
    bb.y,
    bb.width,
    bb.height,
    bb.x + bb.width,
    bb.y + bb.height
  ];
  let [x1, y1, width1, height1, right1, bottom1] = [
    bb1.x,
    bb1.y,
    bb1.width,
    bb1.height,
    bb1.x + bb1.width,
    bb1.y + bb1.height
  ];
  let intersects = false;
  if (width * height != width1 * height1) {
    if (width * height > width1 * height1) {
      if (x < x1 && right > right1 && y < y1 && bottom > bottom1) {
        intersects = true;
      }
    }
  }
  return intersects;
}
svg {
  max-height: 20em;
  max-width: 100%;
  border: 1px solid #ccc;
  fill: #ccc;
}
<p><button type="button" onclick="getSingleArea(path0)">Get this area</button></p>

<svg class="svg0" viewBox="300 51.399147033691406 215.8272705078125 98.6994857788086">
    <path id="curve" d="M 300 140 C 300 40 505 16 480 113 C544 47 523 235 411 100Z" />
</svg>
<p class="result0"></p>

<svg class="svg1" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 280 25">
  <path id="singleCurve" d="M0,12.667h25C25-4.222,0-4.222,0,12.667z" />
  <path id="circle-two-quarter" d="M37.5,12.667c0,6.904,5.596,12.5,12.5,12.5c0-6.511,0-12.5,0-12.5l12.5,0c0-6.903-5.597-12.5-12.5-12.5
   v12.5L37.5,12.667z" />
  <path id="circle-three-quarters" d="M75,12.667c0,6.904,5.596,12.5,12.5,12.5c6.903,0,12.5-5.597,12.5-12.5
c0-6.903-5.597-12.5-12.5-12.5v12.5L75,12.667z" />
  <circle id="circle" cx="125" cy="12.667" r="12.5" />
  <ellipse id="ellipse" cx="162.5" cy="13.325" rx="12.5" ry="6.25" />
  <rect id="rect" x="187.5" y="0.167" width="25" height="25" />
  <polygon id="hexagon" points="231.25,23.493 225,12.667 231.25,1.842 243.75,1.842 250,12.667 243.75,23.493 " />
  <path id="compound" d="M268.951,10.432c-3.452,0-6.25,2.798-6.25,6.25s2.798,6.25,6.25,6.25s6.25-2.798,6.25-6.25
   S272.403,10.432,268.951,10.432z M268.951,19.807c-1.726,0-3.125-1.399-3.125-3.125s1.399-3.125,3.125-3.125
   s3.125,1.399,3.125,3.125S270.677,19.807,268.951,19.807z M272.076,4.968c0,1.726-1.399,3.125-3.125,3.125s-3.125-1.399-3.125-3.125
   c0-1.726,1.399-3.125,3.125-3.125S272.076,3.242,272.076,4.968z" />
</svg>
<p class="result1"></p>
<p><button type="button" onclick="getAllAreas(areaEls)">Get all areas</button></p>


<!--Dependency: path data polyfill -->
<script src="https://cdn.jsdelivr.net/npm/path-data-polyfill@1.0.3/path-data-polyfill.min.js"></script>

<script>
  // 1st example: single path area
  let svg0 = document.querySelector('.svg0');
  let path0 = svg0.querySelector('path');
  let result0 = document.querySelector('.result0');

  function getSingleArea(shape) {
    let shapeArea = getshapeArea(shape, 3);
    result0.textContent = 'area: ' + shapeArea;
  }

  // 2nd example: multiple shape areas
  let svg1 = document.querySelector('.svg1');
  let areaEls = svg1.querySelectorAll('path, polygon, circle, ellipse, rect');
  let result1 = document.querySelector('.result1');
  //benchmark
  let [t0, t1] = [0, 0];

  function getAllAreas(areaEls) {
    let results = []
    perfStart();
    areaEls.forEach(function(shape, i) {
      let type = shape.nodeName.toLowerCase();
      let id = shape.id ? '#' + shape.id : '&lt;' + type + '/&gt; [' + i + ']';
      let shapeArea = getshapeArea(shape, 3);
      let resultString = `<strong>${id}:</strong> ${shapeArea}`;
      results.push(resultString);
      let title = document.createElementNS('http://www.w3.org/2000/svg', 'title');
      title.textContent = `${id}: ${shapeArea}`;
      shape.appendChild(title);
    });
    let totalTime = perfEnd();
    result1.innerHTML = results.join('<br />') + '<br /><br /><strong>time: </strong>' + totalTime + 'ms';
  }
  /**
   * helpers for performance testing
   */
  function adjustViewBox(svg) {
    let bb = svg.getBBox();
    let [x, y, width, height] = [bb.x, bb.y, bb.width, bb.height];
    svg.setAttribute('viewBox', [x, y, width, height].join(' '));
  }

  function perfStart() {
    t0 = performance.now();
  }

  function perfEnd(text = '') {
    t1 = performance.now();
    total = t1 - t0;
    return total;
  }
</script>

Codepen example

herrstrietzel
  • 11,541
  • 2
  • 12
  • 34
0

Couldn't you use an application of Gauss's magic shoelace theorem by getting a set of data points by changing T, then simply inputting that into the equation?

Here's a simple video demo https://www.youtube.com/watch?v=0KjG8Pg6LGk&ab_channel=Mathologer

And then here's the wiki https://en.wikipedia.org/wiki/Shoelace_formula

0

I can suggest a formula to do this numerically. Starting with the general. Cubic Bezier Equation You can expand it out and you will end up with this. You can sub in your coordinates and simplify, then integrate with this formula.

This should give you the area between the curve and the x-axis. You can then subtract the area under the line,using standard integration, and this should give you the area enclosed.

Credit for the integration formula (image 3) and further info:https://math.libretexts.org/Courses/University_of_California_Davis/UCD_Mat_21C%3A_Multivariate_Calculus/10%3A_Parametric_Equations_and_Polar_Coordinates/10.2%3A_Calculus_with_Parametric_Curves#:~:text=The%20area%20between%20a%20parametric,%E2%80%B2(t)dt.

-1

Square area covered by radius vector of a point moving in 2D plane is 1/2*integral[(x-xc)*dy/dt - (y-yc)*dx/dt]dt. Here xc and yc are coordinates of the origin point (center). Derivation for the case of Bezier curves is rather cumbersome but possible. See functions squareAreaQuadr and squareAreaCubic below. I have tested and retested these formulae, rather sure, that there are no mistakes. This signature gives positive square area for clockwise rotation in SVG coordinates plane.

    var xc=0.1, yc=0.2, x0=0.9, y0=0.1, x1=0.9, y1=0.9, x2=0.5, y2=0.5, x3=0.1, y3=0.9
    var cubic = document.getElementById("cubic");
    cubic.setAttribute("d", "M "+xc*500+" "+yc*500+" L "+x0*500+" "+y0*500+" C "+x1*500+" "+y1*500+" "+x2*500+" "+y2*500+" "+x3*500+" "+y3*500+" L "+xc*500+" "+yc*500);
    var center1 = document.getElementById("center1");
    center1.setAttribute("cx", xc*500);
    center1.setAttribute("cy", yc*500);

    function squareAreaCubic(xc, yc, x0, y0, x1, y1, x2, y2, x3, y3)
        {
        var s;
        s = 3/4*( (x0-xc)*(y1-y0) + (x3-xc)*(y3-y2) ) +
        1/4*(x3-x0)*(y1+y2-y0-y3) +
        1/8*( (x0+x3-2*xc)*(3*y2-3*y1+y0-y3) + (x1+x2-x0-x3)*(y1-y0+y3-y2) ) +
        3/40*( (2*x1-x0-x2)*(y1-y0) + (2*x2-x1-x3)*(y3-y2) ) +
        1/20*( (2*x1-x0-x2)*(y3-y2) + (2*x2-x1-x3)*(y1-y0) + (x1+x2-x0-x3)*(3*y2-3*y1+y0-y3) ) +
        1/40*(x1+x2-x0-x3)*(3*y2-3*y1+y0-y3) -
        3/4*( (y0-yc)*(x1-x0) + (y3-yc)*(x3-x2) ) -
        1/4*(y3-y0)*(x1+x2-x0-x3) -
        1/8*( (y0+y3-2*yc)*(3*x2-3*x1+x0-x3) + (y1+y2-y0-y3)*(x1-x0+x3-x2) ) -
        3/40*( (2*y1-y0-y2)*(x1-x0) + (2*y2-y1-y3)*(x3-x2) ) -
        1/20*( (2*y1-y0-y2)*(x3-x2) + (2*y2-y1-y3)*(x1-x0) + (y1+y2-y0-y3)*(3*x2-3*x1+x0-x3) ) -
        1/40*(y1+y2-y0-y3)*(3*x2-3*x1+x0-x3) ;
        return s;
        }

    var s = squareAreaCubic(xc, yc, x0, y0, x1, y1, x2, y2, x3, y3);
    document.getElementById("c").innerHTML = document.getElementById("c").innerHTML + s.toString();
    <html>
    <body>
    <h1>Bezier square area</h1>
    <p id="q">Quadratic: S = </p>

    <svg  height="500" width="500">
    <rect width="500" height="500" style="fill:none; stroke-width:2; stroke:black" />
    <path id="quadr" fill="lightgray" stroke="red" stroke-width="1" />
    <circle id="q_center" r="5" fill="black" />
    </svg>

    <script>
    var xc=0.1, yc=0.2, x0=0.9, y0=0.1, x1=0.9, y1=0.9, x2=0.1, y2=0.9;
    var quadr = document.getElementById("quadr");
    quadr.setAttribute("d", "M "+xc*500+" "+yc*500+" L "+x0*500+" "+y0*500+" Q "+x1*500+" "+y1*500+" "+x2*500+" "+y2*500+" L "+xc*500+" "+yc*500);
    var center = document.getElementById("q_center");
    q_center.setAttribute("cx", xc*500);
    q_center.setAttribute("cy", yc*500);

    function squareAreaQuadr(xc, yc, x0, y0, x1, y1, x2, y2)
        {
        var s = 1/2*( (x0-xc)*(y1-y0) + (x2-xc)*(y2-y1) - (y0-yc)*(x1-x0) - (y2-yc)*(x2-x1) ) +
        1/12*( (x2-x0)*(2*y1-y0-y2) - (y2-y0)*(2*x1-x0-x2) );
        return s;
        }

    var s = squareAreaQuadr(xc, yc, x0, y0, x1, y1, x2, y2);
    document.getElementById("q").innerHTML = document.getElementById("q").innerHTML + s.toString();
    </script>

    <p id="c">Cubic: S = </p>

    <svg  height="500" width="500">
    <rect width="500" height="500" style="fill:none; stroke-width:2; stroke:black" />
    <path id="cubic" fill="lightgray" stroke="red" stroke-width="1" />
    <circle id="center1" r="5" fill="black" />
    </svg>

    </body>
    </html>
miile7
  • 2,547
  • 3
  • 23
  • 38
  • 2
    Please add some description instead of putting just the code – R4444 Jul 17 '19 at 17:16
  • Short description is contained inside the code I put, but you are right, it's not complete. I'll try to post longer explanation, but it will take some time. – jsakars Jul 18 '19 at 10:09
  • Please, also try to run this code on web browser, it will clarify the idea. – jsakars Jul 18 '19 at 10:18