JS Proxying HTML5画布上下文

时间:2015-11-19 12:58:32

标签: javascript html5 canvas ecmascript-6 es6-proxy

我希望代理画布API,以便我可以测试抽象方法实际绘制到画布,但是我遇到问题,在代理之后我收到错误:

'strokeStyle' setter called on an object that does not implement interface CanvasRenderingContext2D

此代码已简化但引发相同的错误:



/** !NB: This snippet will probably only run in Firefox */
var canvas = document.createElement("canvas");
canvas.width = 100;
canvas.height = 100;
canvas.style.backgroundColor = '#FF0000';

var ctx = canvas.getContext("2d");                          
var calls = [];

var handler = {
    get( target, property, receiver ) {

        if ( typeof ctx[property] === 'function' ){
            return function( ...args ){
                calls.push( { call: property, args: args } )
                return ctx[property]( ...args );
            };
        }

        return ctx[property];
    }
};

try {
    document.body.appendChild(canvas);
    var proxy = new Proxy( ctx, handler );
    
    proxy.scale( 1, 1 );
    proxy.strokeStyle = '#000000';
    
    canvas.getContext = function(){
        return proxy;  
    };
}
catch( e ) {
    document.getElementById('message').innerHTML = 'Error: ' + e.message;   
}

<div id="message"></div>
&#13;
&#13;
&#13;

有什么想法吗?

1 个答案:

答案 0 :(得分:5)

您可以通过在处理程序上定义set方法来修复此错误:

set(target, property, value, receiver) {
    target[property] = value;
}

出现此错误的原因可能有点奇怪。 CanvasRenderingContext2D个实例没有自己的strokeStyle属性。相反,CanvasRenderingContext2DPrototype(每个CanvasRenderingContext2D实例的原型)都有一个访问者属性,其set / get组件将设置并获取实例的笔触样式值:

> ctx.hasOwnProperty("strokeStyle")
false

> Object.getOwnPropertyDescriptor(ctx.__proto__, "strokeStyle")
Object { get: strokeStyle(), set: strokeStyle(), enumerable: true, configurable: true }

(如果您有兴趣了解有关此模式的更多信息,请查看我在JSON.parse not erroring on cyclic objects上的回答。)

这里的问题是提供给this setter的CanvasRenderingContext2DPrototype.strokeStyleproxy对象,而不是实际的ctx对象。也就是说,当我们仅在代理上设置属性时:

proxy.isAFake = true;

并在重新定义的setter中测试它:

Object.defineProperty(ctx.__proto__, "strokeStyle", {
    set: function() {
        console.log("strokeStyle setter called for proxy?", this.isAFake);
    }
});

我们看到setter记录了仅代理属性:strokeStyle setter called for proxy? true

无论出于何种原因,CanvasRenderingContext2DPrototype.strokeStyle上的设置者只接受真实的CanvasRenderingContext2D个实例,而不是代理的实例。