javascript bind绑定函数代码

  作者:bea

具体结论可参见《javascript下动态this与动态绑定实例代码》。本文专注设计一个无侵入的绑定函数。 <script> window.name = "the window object" function scopeTest() { return this.name } // calling the function in global scope: scopeTest() // -> "the window object" var foo = {
具体结论可参见《
javascript下动态this与动态绑定实例代码》。本文专注设计一个无侵入的绑定函数。



<script>
window.name = "the window object"
function scopeTest() {
return this.name
}
// calling the function in global scope:
scopeTest()
// -> "the window object"
var foo = {
name: "the foo object!",
otherScopeTest: function() { return this.name }
}
foo.otherScopeTest()
// -> "the foo object!"
</script>




[Ctrl+A 全选 注:
如需引入外部Js需刷新才能执行]

基于不扩展原生对象的原则,弄了这个bind函数(dom为作用域),用法与Prototype框架的bind差不多。


代码如下:


dom.bind = function(fn,context){
//第二个参数如果你喜欢的话,也可以改为thisObject,scope,
//总之,是一个新的作用域对象
if (arguments.length < 2 && context===undefined) return fn;
var method = fn,
slice = Array.prototype.slice,
args = slice.call(arguments, 2) ;
return function(){//这里传入原fn的参数
var array = slice.call(arguments, 0);
method.apply(context,args.concat(array))
}


用法:第一个参数为需要绑定作用域的函数,第二个为window或各种对象,其他参数随意。



<script>
dom = {};
dom.bind = function(fn,context){
if (arguments.length < 2 && context===undefined) return fn;
var method = fn,
slice = Array.prototype.slice,
args = slice.call(arguments, 2);
return function(){//这里传入原fn的参数
var array = slice.call(arguments, 0);
method.apply(context,args.concat(array))
}
}
window.name = 'This is window';
var jj = {
name: '这是jj',
alertName: function() {//绑定失效
alert(this.name);
}
};
var kk = {
name:"kkです"
}
function run(f) {
f();
}
run(jj.alertName);
var fx2 = dom.bind(jj.alertName,jj)
run(fx2);
var fx3 = dom.bind(jj.alertName,window)
run(fx3);
var fx4 = dom.bind(jj.alertName,kk)
run(fx4);
</script>




[Ctrl+A 全选 注:
如需引入外部Js需刷新才能执行]

另一个例子:



<script>
dom = {};
dom.bind = function(fn,context){
if (arguments.length < 2 && context===undefined) return fn;
var method = fn,
slice = Array.prototype.slice,
args = slice.call(arguments, 2);
return function(){//这里传入原fn的参数
var array = slice.call(arguments, 0);
method.apply(context,args.concat(array))
}
}
var obj = {
name: 'A nice demo',
fx: function() {
alert(this.name + '
' + Array.prototype.slice.call(arguments,0).join(', '));
}
};
var fx2 = dom.bind(obj.fx,obj, 1, 2, 3);
fx2(4, 5); // Alerts the proper name, then "1, 2, 3, 4, 5"
</script>




[Ctrl+A 全选 注:
如需引入外部Js需刷新才能执行]



有用  |  无用

猜你喜欢