我目前正在开发一款基本的javascript游戏,它有两个不会碰撞在一起的精灵。但是,基本的边界框碰撞是不够的,因为有些精灵是透明的并且不会“计数”为碰撞。我找到了解决我遇到的问题的方法,但我无法让它发挥作用。我想要做的是计算精灵的透明部分,并确保如果透明部分重叠,则没有检测到碰撞。以下是我发现的解决问题的方法。
http://blog.weeblog.net/?p=40#comments
/**
* Requires the size of the collision rectangle [width, height]
* and the position within the respective source images [srcx, srcy]
*
* Returns true if two overlapping pixels have non-zero alpha channel
* values (i.e. there are two vissible overlapping pixels)
*/
function pixelCheck(spriteA, spriteB, srcxA, srcyA, srcxB, srcyB, width, height){
var dataA = spriteA.getImageData();
var dataB = spriteB.getImageData();
for(var x=0; x<width; x++){
for(var y=0; y<height; y++){
if( (dataA[srcxA+x][srcyA+y] > 0) && (dataB[srcxB+x][srcyB+y] > 0) ){
return true;
}
}
}
return false;
}
用于计算图像数据:
/**
* creating a temporary canvas to retrieve the alpha channel pixel
* information of the provided image
*/
function createImageData(image){
$('binaryCanvas').appendTo('body');
var canvas = document.getElementById('binaryCanvas');
var ctx = canvas.getContext("2d");
ctx.drawImage(image, 0, 0);
var canvasData = ctx.getImageData(0, 0, canvas.width, canvas.height);
var imageData = [image.width];
for(var x=0; x<image.width; x++){
imageData[x] = [image.height];
for(var y=0; y<image.height; y++){
var idx = (x + y * image.width) * 4;
imageData[x][y] = canvasData.data[idx+3];
}
}
$("#binaryCanvas").remove();
return imageData;
}
问题在于我不知道如何实施此解决方案,或者这是否是解决我问题的最佳方案。这是我在找什么?如果是这样,我在哪里放这些方法?我最困惑的事情是我应该传递给spriteA和spriteB。我已尝试传递图像,我尝试传递从pixelCheck
方法返回的imageData,但收到相同的错误:对象或图像has no method 'getImageData'
。我做错了什么?
答案 0 :(得分:0)
这有两个问题。
你做了一个功能:
function createImageData(image){...}
但你所说的是:
spriteA.getImageData();
spriteB.getImageData();
点表示对象的属性。您试图调用一个从不参与对象的函数。有一些简单的修复。
将createImageData()函数添加到构造函数中:
function Sprite(){
...
this.createImageData = function(image){...};
...
}
或:
Sprite.createImageData = function(image{...};
或者只是正确地调用它:
createImageData(spriteA.image); // or whatever the image is
其次,您的函数需要一个图像参数,但您没有提供图像参数。只需记住在调用时提供图像。您也可以删除参数并从函数中获取图像。
有点像这样:
function Sprite(){
...
this.createImageData = function(){
var image = this.image;
// or just use this.image, or whatever it is
...
}
...
}
希望这会有所帮助。