jQuery弹簧插件编写基础之“又见弹窗”(2)

function SubType($ele, options) { this.$ele = $ele; this.opts = $.extend({}, $.fn.popWin.defaults, options); } SubType.prototype = { createPopWin: function() { } }; $.fn.popWin = function(options) { //this指向被jQuery选择器选中的对象 var superType = new SubType(this, options); superType.createPopWin(); }; $.fn.popWin.defaults = {};

1. 我们创建了基于对象且名为 popWin 方法,并将 defaults 默认配置参数暴露出去以便使用的人进行修改;

2. 这里使用面向对象的方法来管理我们的私有函数,createPopWin 方法就是我们私有的用来创建弹窗的函数。

3. 在插件被调用时将jq对象与自定义的参数传入构造函数中并实例化。

调用

设想一下我们该怎么调用这个插件呢?我们可以在自己的文档树中合适的位置插入一个 div 元素,选中该 div 并调用我们定义在jQuery对象上的 popWin 方法。

$('#content').popWin({ a: 1, b: 2, callback: function() {} });

调用 popWin 的同时传入自定义的配置参数,之后被选中的 div 元素就被神奇的转化成一个弹窗了!当然,这只是我们的设想,下面开始码代码。

确定默认配置

$.fn.popWin.defaults = { width: '600', //弹窗宽 height: '250', //弹窗高 title: '标题', //标题 desc: '描述', //描述 winCssName: 'pop-win', //弹窗的CSS类名 titleCssName: 'pop-title', //标题区域的CSS类名 descCssName: 'pop-desc', //描述区域的CSS类名 btnAreaCssName: 'pop-btn-box', //按钮区域的CSS类名 btnCssName: 'pop-btn', //单个按钮的CSS类名 btnArr: ['确定'], //按钮组 callback: function(){} //点击按钮之后的回调函数 }

我们定义了如上的参数,为什么有要传入这么多的CSS类名呢?1. 为了保证JS与CSS尽可能的解耦。 2. 你的样式有很大可能别人并不适用。所以你需要配置一份样式表文件来对应你的默认类名,当别人需要更改样式时可以传入自己编写的样式。

按钮组为一个数组,我们的弹窗需要根据其传入的数组长度来动态的生成若干个按钮。回调函数的作用是在用户点击了某个按钮时返回他所点击按钮的索引值,方便他进行后续的操作。

弹窗DOM创建

var popWinDom,titleAreaDom,descAreaDom,btnAreaDom; SubType.prototype = {   createPopWin: function() {     var _this = this; //首次创建弹窗     //背景填充整个窗口     this.$ele.css({       position: 'fixed',       top: 0,       left: 0,       right: 0,       bottom: 0,       backgroundColor: 'rgba(0,0,0,0.4)',       overflow: 'hidden'     });          //窗口区域     popWinDom = $('<div><div></div><div></div><div></div></div>').css({       width: this.opts.width,       height: this.opts.height,       position: 'absolute',       top: '30%',       left: '50%',       marginLeft: '-' + (this.opts.width.split('px')[0] / 2) + 'px'     }).attr('class',this.opts.winCssName);          //标题区域     titleAreaDom = popWinDom.find('div:eq(0)')               .text(this.opts.title)               .attr('class',this.opts.titleCssName);          //描述区域     descAreaDom = popWinDom.find('div:eq(1)') .text(this.opts.desc) .attr('class',this.opts.descCssName);     //按钮区域        btnAreaDom = popWinDom.find('div:eq(2)') .attr('class',this.opts.btnAreaCssName);          //插入按钮     this.opts.btnArr.map(function(item, index) {       btnAreaDom.append($('<button></button>')         .text(item)         .attr({'data-index':index, 'class':_this.opts.btnCssName})         .on('click', function() {           _this.opts.callback($(this).attr('data-index'));         }));       });          this.$ele.append(popWinDom); } }

1. 首先命名了四个变量用来缓存我们将要创建的四个DOM,将传入的jQuery对象变形成覆盖整个窗口半透明元素;

2. 创建窗口DOM,根据传入的高、宽来设置尺寸并居中,之后另上传入的窗口CSS类名;

3. 创建标题、描述、按钮组区域,并将传入的标题、描述内容配置上去;

4. 动态加入按钮,并为按钮加上data-index的索引值。注册点击事件,点击后调用传入的回调函数,将索引值传回。

好了,我们先看下效果。调用如下:

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:https://www.heiqu.com/wgzypw.html