6

Zazzle.com の Flash ベースの製品エディターと同様の機能を持つ jQuery プラグインを作成しようとしています。私が知る必要があるのは、context.drawImage()キャンバス関数を使用して、画像を挿入し、画像を歪ませずにキャンバスに収まるようにサイズを変更する方法です。

画像は 500x500px で、キャンバスもそうですが、何らかの理由で画像のサイズを 500x500 に設定すると大きくなりすぎます。

これまでの私の完全なコードは次のとおりです。

(function( $ ) {

    jQuery.fn.productEditor = function( options ) {

        var defaults = {
            'id'        :   'productEditor',
            'width'     :   '500px',
            'height'    :   '500px',
            'bgImage'   :   'http://www.wattzup.com/projects/jQuery-product-editor/sampleProduct.jpg'
        };


        return this.each(function() {

            var $this = $(this)

                var options = $.extend( defaults, options );

            // Create canvas
            var canvas = document.createElement('canvas');

            // Check if their browser supports the canvas element
            if(canvas.getContext) {
                // Canvas defaults
                    var context = canvas.getContext('2d');
                    var bgImage = new Image();
                    bgImage.src = options.bgImage;
                    bgImage.onload = function () {          
                    // Draw the image on the canvas
                    context.drawImage(bgImage, 0, 0, options.width, options.height);
                }

                // Add the canvas to our element
                $this.append(canvas);
                // Set ID of canvas
                $(canvas).attr('id', options.id).css({ width: options.width, height: options.height });




            }
            // If canvas is not supported show an image that says so
            else {

                alert('Canvas not supported!');


            }


        });

    };
})( jQuery );

その他の建設的な批判も歓迎します。

4

1 に答える 1

9

これが問題です:

$(canvas).attr('id', options.id).css({ width: options.width, height: options.height });

幅と高さの属性を直接設定する必要がある場合は、キャンバスの CSS 幅/高さを設定しています。描かれた画像を歪めているのではなく、キャンバス自体を歪めています。キャンバスはまだ 300x150 (デフォルト) で、CSS で 500x500 に拡張されているだけです。したがって、今あなたは 300x150 の引き伸ばされたキャンバスに 500x500 の画像を描いています!

あなたがする必要があります:

    var defaults = {
        'id'        :   'productEditor',
        'width'     :   '500',  // NOT 500px, just 500
        'height'    :   '500',  // NOT 500px, just 500
        'bgImage'   :   'http://www.wattzup.com/projects/jQuery-product-editor/sampleProduct.jpg'
    };

...

// Create canvas
var canvas = document.createElement('canvas');
canvas.width = options.width;
canvas.height= options.height;

...

$(canvas).attr('id', options.id); // DON'T change CSS width/height

キャンバスの幅または高さを変更するとクリアされるため、drawImage を使用する前にこれを行う必要があることに注意してください。

于 2011-10-12T18:27:42.727 に答える