加载页面时出现控制台错误TypeError: bodys.show is not a function
。我做错了什么?
function loadingScreen(selector,css)
{
this.loadingAnimation = $("<div><p>Loading</p><div></div></div>").appendTo(selector);
this.containerCss = $.extend({'border-radius':"20px",position:"absolute",height:"40px",width:"120px","display":"none"}, css);
this.loadingAnimation.css(this.containerCss);
this.p = this.loadingAnimation.children("p").first();
this.p.css({width:"100%",'text-align':"center"});
this.div = this.loadingAnimation.children("div").first();
this.div.css({position:"abslolute",left:"0",top:"0",'background-color':"rgba(255,100,100,0.5)",height:"100%",width:"10%"});
function show(){
this.loadingAnimation.css("display","block");
animate(this.div,"right");
}
function hide(){
this.loadingAnimation.css("display","none");
this.div.stop(true,true);
this.div.css("margin-left","0px");
}
function animate(element,direction)
{
if(direction === "right"){
element.animate({"margin-left":"120px"},animate(element,"left"));
}
else if(direction === "left"){
element.animate({"margin-left":"0px"},animate(element,"right"));
}
}
}
$(document).ready(function()
{
var bodys = new loadingScreen("body",{});
bodys.show();
});
答案 0 :(得分:1)
在函数体内声明变量/函数时,它们是“私有的”,除非它们作为函数本身的属性附加 - 在体内,您将使用this
关键字来执行此操作。
函数show()
在loadingScreen中是私有的,以使其可以作为其父函数的成员访问,并使用this
声明它:
this.show = function(){...
...}
...它仍然可以访问loadingScreen
范围内的所有内容,但可以作为loadingScreen
的方法在外部调用。
编辑:
正如Naomik在下面指出的那样,你也可以将它附加到对象的原型上:
loadingScreen.prototype.show = function()...
...显然原型函数的执行速度比标准成员声明更快,但是 - 因为你将在主函数体之外声明它,它将无法访问函数内部的私有变量,所以在这种情况没有多大用处。
答案 1 :(得分:1)
当前show()
函数在loadingScreen
的本地/私有范围内定义,以便show
公开显示使用this.show
所以将代码更改为
this.show = function() {
而不是
function show(){
答案 2 :(得分:1)
您可以使用构造函数中的show
将this.show = show;
附加到新实例
或者你可以这样做
// loading-screen.js
(function(window, $) {
var LoadingScreen = function (selector, css) {
this.$elem = $(selector);
this.$elem.css(css);
};
LoadingScreen.prototype.show = function () {
return this.$elem.show();
};
LoadingScreen.prototype.hide = function () {
return this.$elem.hide();
};
window.LoadingScreen = LoadingScreen;
})(window, jQuery);
作为原型的一部分,show
的任何实例现在都可以访问hide
和LoadingScreen
函数。最重要的是,你有一个很好的小代码模块,可以与所有其他脚本分开包含。
用法
<script src="loading-screen.js"></script>
<script>
$(function() {
var ls = new LoadingScreen("body", {});
ls.show();
ls.hide();
});
</script>
jQuery插件 - a demo
因为你无论如何都在使用jQuery,而不是将selector
和一些css传递给vanilla构造函数,所以将它包装在jQuery插件中可能是有意义的。
(function(window, $) {
var LoadingScreen = function($elems, css) {
this.$elems = $elems;
this.$elems.css(css);
};
LoadingScreen.prototype.show = function() {
this.$elems.slideDown(250);
};
LoadingScreen.prototype.hide = function() {
this.$elems.slideUp(250);
};
$.fn.loadingScreen = function(css) {
return new LoadingScreen(this, css);
};
})(window, jQuery);
用法非常相似,但看起来更传统的jQuery
$(function() {
var ls = $("p").loadingScreen({backgroundColor: "blue"});
// notice .show and .hide delegate to our plugin methods now
ls.show();
});