I have a base64 encoded PNG. I need to get the color of a pixel using javascript. I assume I'll have to convert it back to a normal PNG. Can anyone point me in the right direction?
+2
A:
Create an Image
object with the base64 image as the source. Then you can draw the image to a canvas and use the getImageData
function to get the pixel data.
Here's the basic idea (I haven't tested this):
var image = new Image();
image.onload = function() {
var canvas = document.createElement('canvas');
canvas.width = image.width;
canvas.height = image.height;
var context = canvas.getContext('2d');
context.drawImage(image, 0, 0);
var imageData = context.getImageData(0, 0, canvas.width, canvas.height);
// Now you can access pixel data from imageData.data.
// It's a one-dimensional array of RGBA values.
// Here's an example of how to get a pixel's color at (x,y)
var index = (y*imageData.width + x) * 4;
var red = imageData.data[index];
var green = imageData.data[index + 1];
var blue = imageData.data[index + 2];
var alpha = imageData.data[index + 3];
};
image.src = base64EncodedImage;
Matthew Crumley
2010-08-20 12:30:29
Thank you very much! I then took that and converted to hex codes. Is there any way to pull hex data from getImageData, or do I have to convert it. Either way, thanks!
Switz
2010-08-20 16:18:37
@Switz: Not directly. You just have to convert each channel individually with `toString(16)` or something similar.
Matthew Crumley
2010-08-20 17:55:20
That's what I did. Thanks!
Switz
2010-08-20 18:19:40