以下是简单视差插件的源代码:
/*
Plugin: jQuery Parallax
Version 1.1.3
Author: Ian Lunn
Twitter: @IanLunn
Author URL: http://www.ianlunn.co.uk/
Plugin URL: http://www.ianlunn.co.uk/plugins/jquery-parallax/
Dual licensed under the MIT and GPL licenses:
http://www.opensource.org/licenses/mit-license.php
http://www.gnu.org/licenses/gpl.html
*/
(function( $ ){
var $window = $(window);
var windowHeight = $window.height();
$window.resize(function () {
windowHeight = $window.height();
});
$.fn.parallax = function(xpos, speedFactor, outerHeight) {
var $this = $(this);
var getHeight;
var firstTop;
var paddingTop = 0;
//get the starting position of each element to have parallax applied to it
$this.each(function(){
firstTop = $this.offset().top;
});
if (outerHeight) {
getHeight = function(jqo) {
return jqo.outerHeight(true);
};
} else {
getHeight = function(jqo) {
return jqo.height();
};
}
// setup defaults if arguments aren't specified
if (arguments.length < 1 || xpos === null) xpos = "50%";
if (arguments.length < 2 || speedFactor === null) speedFactor = 0.1;
if (arguments.length < 3 || outerHeight === null) outerHeight = true;
// function to be called whenever the window is scrolled or resized
function update(){
var pos = $window.scrollTop();
$this.each(function(){
var $element = $(this);
var top = $element.offset().top;
var height = getHeight($element);
// Check if totally above or totally below viewport
if (top + height < pos || top > pos + windowHeight) {
return;
}
console.log(firstTop + " " + pos);
$this.css('backgroundPosition', xpos + " " + Math.round((firstTop - pos) * speedFactor) + "px");
});
}
$window.bind('scroll', update).resize(update);
update();
};
})(jQuery);
现在假设我在多个元素上调用插件,就像这样。
$('#intro').parallax("50%", .8);
$('#second').parallax("50%", 0.1);
$('.bg').parallax("50%", 0.4);
$('#third').parallax("50%", 0.3);
我到底在做什么?创建插件的多个实例?
可以看到插件本身的演示 HERE 。
答案 0 :(得分:4)
不,你没有创建插件的多个实例。
您正在做的是您多次调用此函数:
$.fn.parallax = function(xpos, speedFactor, outerHeight) {
这样做非常好。
答案 1 :(得分:1)
您真正关注的是jQuery扩展方法。此方法将对象的内容合并到jQuery原型上,以提供新的jQuery实例方法。
每当你看到fn
属性时,你就会看到jQuery的prototype属性的别名。
让我们检查你嵌入的视差脚本中的一些行:
$.fn.parallax = function(xpos, speedFactor, outerHeight) {
这一行是一个新的jQuery原型扩展方法的开始,它带有三个参数
这是一个使用新方法扩展jQuery的更简单示例
$(function () {
// declare the new method greenify
$.fn.greenify = function() {
// The element that this method is used on will have the color green by using jQuery .css();
this.css( "color", "green" );
};
// Then to use your brand new jQuery extension method simply do this
$( "a" ).greenify();
$('.myElem').greenify();
$('#someElemId').greenify();
});
发生的事情是我们使用相同的方法并将其应用于dom中的不同元素。
我希望这更清楚地说明了实际情况以及扩展方法的工作原理。