2

我试图“伪造”一个画布,意图将这个假画布交给一个可能是任意的框架,以对所有线条、曲线和 moveTo 进行后处理。

为了解决这个问题,我尝试了这个代码,它确实有效,但我想知道这个幸运镜头有多少运气。

(function(){
    function DebugCanvas(){
        this._dom = document.createElement( 'canvas' );
        addPropertiesToObject.call( this, this._dom );
        this._fakeContext = null;
    }

    Object.defineProperties( DebugCanvas.prototype, 
    {   
        'constructor' : {
            'value' : DebugCanvas,
            'enumerable' : true
        },

        'getContext' : {
            'value' : function( which ){
                var ctx;
                if( which == '2d' ){
                    if( this._fakeContext == null ){
                        this._fakeContext = new FakeContext( this._dom );
                    }
                    ctx = this._fakeContext;
                } else {
                    ctx = this._dom.getContext( which );
                }
                return ctx;
            },
            'enumerable' : true
        }
    }
);

function FakeContext( debugCanvas ){
    this._debugCanvas = debugCanvas;
    this._realContext = debugCanvas._dom.getContext( '2d' );
    addPropertiesToObject.call( this, this._realContext );
}

Object.defineProperties( FakeContext.prototype, {
    'toString' : {
        'value' : function(){
            return '[Object FakeContext]';
        },
        'enumerable' : true
    },

    'canvas' : {
        'get' : function(){
            return this._debugCanvas;
        },
        'set' : function( c ){ return },
        'enumerable' : true
    }
});

function addPropertiesToObject( from ){
    var description, obj;

    for( var prop in from ){
        obj = from;
        do {
            if( obj.hasOwnProperty( prop ) && 
                !this.constructor.prototype.hasOwnProperty( prop ) ){

                try{
                    description = Object.getOwnPropertyDescriptor( obj, prop );
                    Object.defineProperty( this.constructor.prototype, prop, description );
                } catch( err ){
                    this[ prop ] = from[ prop ]; 
                }
                break;
            }
        } while( obj = Object.getPrototypeOf( obj ) );
    }
};
})()

基本思想是将所有 canvas'、canvas.prototypes'(所有链向上)、contexts' 和 context.prototypes' 属性复制到假对象的原型中,只要它们不存在于那里。

4

1 回答 1

2

在 javascript 中,您可以自由地构造一个与原始对象具有所有相同属性/方法的替换对象,并使用它来代替原始对象。方法调用或属性访问将是相同的任何一种方式,调用代码通常不会知道其中的区别。这有时在 javascript 中是一件非常有用的事情。

像这样的替换更复杂的部分是模拟所有方法和属性的实际行为,以便您传递给它的代码按您的意愿工作。但是,如果你能成功地做到这一点,它应该可以正常工作。没有运气 - 只要您对方法/属性的模拟是正确的,这应该可以工作。

于 2012-09-09T17:04:21.117 回答