Search code examples
javascriptcanvasrgbcolor-spacehsl

How can I generate a rainbow circle using HTML5 canvas?


I would like to generate a canvas image using gradients in some clever way. I would like the image to looks something like this:

rainbow circle

I just can't get my head around it. I need to generate lines in the form and arc - or use gradients with color stops in some clever way. Maybe it would be a lot easier if I converted to HSL and just go through the HUE values?

For example in a rectangle format I could

for (var i = 0; i < h; ++i) {
  var ratio = i/h;
  var hue = Math.floor(360*ratio);
  var sat = 100;
  var lum = 50;
  line(dc, hslColor(hue,sat,lum), left_margin, top_margin+i, left_margin+w, top_margin+i);
}

Does anybody have any clever tips on how to produce this image using canvas?


Solution

  • This is not perfect (due to drawing steps ...), but it can help you :

    http://jsfiddle.net/afkLY/2/

    HTML:

    <canvas id="colors" width="200" height="200"></canvas>
    

    Javascript:

    var canvas = document.getElementById("colors");
    var graphics = canvas.getContext("2d");
    
    var CX = canvas.width / 2,
        CY = canvas.height/ 2,
        sx = CX,
        sy = CY;
    
    for(var i = 0; i < 360; i+=0.1){
        var rad = i * (2*Math.PI) / 360;
        graphics.strokeStyle = "hsla("+i+", 100%, 50%, 1.0)";   
        graphics.beginPath();
        graphics.moveTo(CX, CY);
        graphics.lineTo(CX + sx * Math.cos(rad), CY + sy * Math.sin(rad));
        graphics.stroke();
    }
    

    The idea is to draw the disc line by line with a hue value corresponding to the line direction.

    You can change the color base rotation by adding a radius angle to rad variable (adding -pi/2 to rad would make the gradient look like your figure).

    EDIT: I made a new demo that generalizes the concept a bit and renders a rainbow polygon. Here is the CodePen. To get rid of the small voids beteween the colors, I used quads that overflow to the next color part, except for the last one.