6

我有以下代码,它采用单个图像并对其应用特定宽度:

function Foo ( img ) {
    this.image = img;
}
Foo.prototype._getWidth = function( ) {
    return this.image.data('largest') + 'px';
};
Foo.prototype.applyWidth = function(  ) {
    this.image.css( 'width', this._getWidth() );
};

var img = Foo( $('img') );

img.applyWidth();

但是,我正在努力解决处理 jQuery 图像集合的问题,例如$('img')没有 for 循环或$.each()在每个函数内部(我有超过上面显示的这两个函数)。

到目前为止,我想出的最好的是:

var temp = [];

function Create ( imgs ) {
    $.each( imgs, function( i ){
        temp[ i ] = new Foo ( $( this ) );
    });
    return temp;
}

Create( $('img') );

$.each( temp, function() {
    $(this).applyWidth();
}):

这很好用,但感觉没有条理,感觉马虎。

最后,我想对以下内容进行一些指导。

  1. 我理想地希望这个在命名空间下Theme。我想在Theme.Images使用模块模式下使用这种方法。这可能吗?

  2. 如果在命名空间下Theme.Images可以进行这样的调用,它将Theme.Images.applyWidth()调用. 目前我相信我需要循环并在循环内调用。applyWidth()tempimg_getWidth()Theme.Images.tempapplyWidth()

我真的开始欣赏 javascript 中的继承点,并希望继续使用它。

4

2 回答 2

1

在我看来,您正在寻找“收藏”课程。

function Images() {
    var that = this;
    that.foos = [];
    $('img').each(function() {
        that.foos.push(new Foo(this));
    });
}

Images.prototype.applyWidth = function() {
    $.each(this.foos, function() {
        this.applyWidth();
    });
};
于 2013-08-22T15:12:16.883 回答
1
var Theme = (function(){

    function Theme(images) {
        var _this = this;
        this.images = [];
        images.each(function(){
           _this.images.push(new Image(this))
        });
    }

    var Image = (function(){

        function Image(imageDOM) {
            this.image = $(imageDOM);
        }
        Image.prototype._getWidth = function( ) {
            return this.image.data('largest') + 'px';
        };
        Image.prototype.applyWidth = function(  ) {
            this.image.css( 'width', this._getWidth() );
        };

        return Image;

    })();

    Theme.prototype.applyWidth = function(){
        this.images.forEach(function(el){
            el.applyWidth();
        });
    }


    return Theme;

})();

那么你可以这样做:

var MyTheme = new Theme($(some_selector));
MyTheme.applyWidth();
于 2013-08-22T15:14:02.497 回答