Si está haciendo un dibujo complejo en capas, puede usar globalCompositeOperation para emular el recorte en un segundo lienzo de rayado. A continuación, puede usar drawImage para copiar el lienzo scratch en el lienzo original. No puedo garantizar el rendimiento de este enfoque, pero es la única forma que conozco de obtener lo que desea.
//set-up - probably only needs to be done once
var scratchCanvas = document.createElement('canvas');
scratchCanvas.width = 100;
scratchCanvas.height = 100;
var scratchCtx = scratchCanvas.getContext('2d');
//drawing code
scratchCtx.clearRect(0, 0, scratchCanvas.width, scratchCanvas.height);
scratchCtx.globalCompositeOperation = 'source-over'; //default
//Do whatever drawing you want. In your case, draw your image.
scratchCtx.drawImage(imageToCrop, ...);
//As long as we can represent our clipping region as a single path,
//we can perform our clipping by using a non-default composite operation.
//You can think of destination-in as "write alpha". It will not touch
//the color channel of the canvas, but will replace the alpha channel.
//(Actually, it will multiply the already drawn alpha with the alpha
//currently being drawn - meaning that things look good where two anti-
//aliased pixels overlap.)
//
//If you can't represent the clipping region as a single path, you can
//always draw your clip shape into yet another scratch canvas.
scratchCtx.fillStyle = '#fff'; //color doesn't matter, but we want full opacity
scratchCtx.globalCompositeOperation = 'destination-in';
scratchCtx.beginPath();
scratchCtx.arc(50, 50, 50, 0, 2 * Math.PI, true);
scratchCtx.closePath();
scratchCtx.fill();
//Now that we have a nice, cropped image, we can draw it in our
//actual canvas. We can even draw it over top existing pixels, and
//everything will look great!
ctx.drawImage(scratchCanvas, ...);
La razón por la que hacemos esto en un lienzo de cero es ese destino-in es una operación bastante destructiva. Si ya había dibujado algunas cosas en el lienzo principal (quizás dejó un degradado agradable en el fondo) y luego quería dibujar una imagen recortada, el círculo de recortes también recortaría todo lo que ya había dibujado. Por supuesto, si su situación particular es más simple (tal vez TODO lo que desea dibujar es una imagen recortada), puede renunciar al lienzo de rayado.
Puede jugar con los diferentes modos de recorte en my demo page. La fila inferior (con los degradados) no es demasiado útil para usted, pero la fila superior (con el círculo y el cuadrado) es mucho más relevante.
edición
chillidos, accidentalmente forked your JSFiddle para demostrar la técnica.
Me encontré con este problema también. Lo que hice fue dibujar un círculo en el mismo lugar que la imagen, detrás de él, con 1 o 2 px de radio más grande. Mantenga el color similar y listo, clip de imagen "anti aliased". – Automatico