使用 Action Script 3 检测颜色

Detect Colour Using Action Script 3

所以我从头开始制作了一个游戏,它使用以下代码块:

我正在尝试使用 Action Script 3 在 Adob​​e Animate 中重新制作这个游戏(对于 class 项目),在 animate 中有类似的方法吗?

有可能。这样做的技巧是创建一个 tiny-teeny BitmapData 对象并在鼠标指针下绘制一小部分 stage object 以便获取像素颜色值。

// BitmapData object and some service objects.
var BD:BitmapData = new BitmapData(3, 3, true);
var R:Rectangle = new Rectangle(0, 0, 3, 3);
var M:Matrix = new Matrix;

// Let's create a TextField so we can output the pixel color value.
var T:TextField = new TextField;
var TF:TextFormat = new TextFormat("_typewriter", 12, 0x000000, true, false, false, null, null, TextFormatAlign.CENTER);

T.x = 10;
T.y = 10;
T.width = 100;
T.height = 18;
T.border = true;
T.background = true;
T.selectable = false;
T.mouseEnabled = false;
T.defaultTextFormat = TF;

addChild(T);

// Lets add some semi-transparent color circles
// so we have colored things to point the mouse at.
for (var i:int = 0; i < 10; i++)
{
    var aColor:uint = 0;
    
    aColor |= int(128 + 128 * Math.random()) << 16; // RED
    aColor |= int(128 + 128 * Math.random()) << 8;  // GREEN
    aColor |= int(128 + 128 * Math.random());       // BLUE
    
    var anX:int = stage.stageWidth  / 8 + Math.random() * stage.stageWidth  * 3 / 4;
    var anY:int = stage.stageHeight / 8 + Math.random() * stage.stageHeight * 3 / 4;
    var aRadius:int = 50 + 100 * Math.random();
    var anAlpha:Number = 0.5 + 0.5 * Math.random();
    
    graphics.beginFill(aColor, anAlpha);
    graphics.drawCircle(anX, anY, aRadius);
    graphics.endFill();
}

// Now let's watch the mouse every frame.
addEventListener(Event.ENTER_FRAME, onFrame);

function onFrame(e:Event):void
{
    // Get pixel color as an RRGGBB String and print it.
    T.text = "#" + addZeroes(getColorUnderMouse());
}

function getColorUnderMouse():uint
{
    // Adjust Matrix so that we draw the correct piece of screen.
    M.tx = -root.mouseX + 1;
    M.ty = -root.mouseY + 1;
    
    // Clear the BitmapData and capture the 3x3 piece under the mouse pointer.
    BD.fillRect(R, 0xFFFFFFFF);
    BD.draw(root, M, null, null, R);
    
    // Read the pixel color value at the center of 3x3 and return it.
    return BD.getPixel(1, 1);
}

// This function fixes the hexabinary value with leading
// zeroes if the color value is too small (like 0 = black).
function addZeroes(value:uint, count:uint = 6):String
{
    var result:String = value.toString(16).toUpperCase();
    
    while (result.length < count)
    {
        result = "0" + result;
    }
    
    return result;
}