我目前正在开发一个项目,我需要使用画布的像素。我通过使用canvascontext.getImageData(0,0,width,height).data()来提取像素。这段代码效果很好,并返回一个像素数组。在该阵列内部,像素的位置如下:[r1,g1,b1,a1,r2,g2,b2,a2 ......]。现在我在Java中使用了类似的数组,但是在这里像这样返回的像素:[r1,r2,g1,g2,b1,b2,a1,a2]这使得可以使用掩码来获取值。 由于它在JS中有所不同,我使用以下函数从数组中提取值并在编辑后设置它们:
ImageClass.prototype.getRed = function(temp){
return imageData.pixels[temp];
}
ImageClass.prototype.setRed = function(r, temp){
imageData.pixels[temp] = r;
}
ImageClass.prototype.getGreen = function(temp){
return imageData.pixels[Number(temp)+1];
}
ImageClass.prototype.setGreen = function(g, temp){
imageData.pixels[Number(temp)+1] = g;
}
ImageClass.prototype.getBlue = function(temp){
return imageData.pixels[Number(temp)+2];
}
ImageClass.prototype.setBlue = function(b, temp){
imageData.pixels[Number(temp)+2] = b;
}
ImageClass.prototype.getAlpha = function(temp){
return imageData.pixels[Number(temp)+3];
}
ImageClass.prototype.setAlpha = function(a, temp){
imageData.pixels[Number(temp)+3] = a;
}
temp是一个表示索引的整数值。现在我的问题:当以下功能(红色)工作时,下一个(绿色)不起作用。我不知道为什么以及如何开始调试。
ImageClass.prototype.red = function(){
this.getPixels();
for (index = 0; index < imageData.pixelsLength; index += 4) {
var g = this.getGreen(index);
var b = this.getBlue(index);
g = 0;
b = 0;
this.setGreen(g, index);
this.setBlue(b, index);
}
this.draw();
}
ImageClass.prototype.green = function(){
this.getPixels();
for (index = 0; index < imageData.pixelsLength; index += 4) {
var r = this.getRed(index);
var b = this.getBlue(index);
r = 0;
b = 0;
this.setRed(r, index);
this.setBlue(b, index);
}
this.draw();
}
getPixels() - 函数只是使像素数组全局可用(在命名空间中)。 draw-function确切地说明了它的名称。
如果有人知道从阵列中提取像素的更简单方法,那么我可以访问所有红色,所有绿色等等。我愿意接受建议。
提前致谢。
答案 0 :(得分:0)
你可以删除对getGreen和getBlue的调用,因为你无论如何都要覆盖它们。
ImageClass.prototype.red = function(){
this.getPixels();
for (index = 0; index < imageData.pixelsLength; index += 4) {
var g = 0, b = 0;
this.setGreen(g, index);
this.setBlue(b, index);
}
this.draw();
}
ImageClass.prototype.getRed
等如果你想要一个非常简单的方法,你可以这样做:
offsets {r: 0, g: 1, b: 2, a: 3}
ImageClass.prototype.red = function(){
this.getPixels();
for (index = 0; index < imageData.pixelsLength; index += 4) {
imageData.pixels[index+offsets.g] = 0;
imageData.pixels[index+offsets.b] = 0;
}
this.draw();
}
您可以通过生成这些函数来避免重复代码。
offsets {r: 0, g: 1, b: 2, a: 3}
function MakeColorFunction(omit1, omit2){
return (function(){
this.getPixels();
for (index = 0; index < imageData.pixelsLength; index += 4) {
imageData.pixels[index+offsets[omit1]] = 0;
imageData.pixels[index+offsets[omit2]] = 0;
}
this.draw();
});
}
ImageClass.prototype.red = MakeColorFunction("g", "b");
ImageClass.prototype.green = MakeColorFunction("b", "r");
ImageClass.prototype.blue = MakeColorFunction("r", "g");