方法一:通过事件在html中的内联方式来传递参数(假定变量x是参数,下同):
<input type="button" value="点我" onclick="var x=123test(x)"/><script>
function test(x){
alert(x)
}
</script>
方法二:通过全局变量来传递参数:
<input id="abc" type="button" value="点我"/><script>
var x=123
window.onload=function(){
document.getElementById("abc").onclick=function(){
alert(x)
}
}
</script>
方法三:通过对象的自定义属性来传递参数:
<input id="abc" type="button" value="点我"/><script>
window.onload=function(){
var abc=document.getElementById("abc")
abc.x=123
abc.onclick=function(){
alert(this.x)
}
}
</script>
方法四:利用闭包:
<input id="abc" type="button" value="点我"/><script>
window.onload=function(){
(function(x){
document.getElementById("abc").onclick=function(){
alert(x)
}
})(123)
}
</script>
暂时就想到这么多了,肯定还有其他方法的。
因为ev是事件的参数啊!在ev中包含了事件触发时的参数,比如click事件的ev中包含着.e.pageX,e.pageY,keydown事件中包含着ev.keyCode等,在ie中,ev是全局的可以通过window.event来获取,在其他浏览器中都是作为参数传入的。所以好多事件函数都是这样写:
mydiv.onclick = function(ev){
if(!ev){ev = window.event} //这句也可以简写成:ev=window.event||ev
alert(ev.pageX+","+ev.pageY)
}
js中可以改变方法作用域和参数的方式有三种,apply,call,bind.
apply 和call类似第一个参数是方法的作用域,其它参数是方法的参数。不同的是apply的其它参数是个数组,数组的个数为参数的个数,call除开第一个参数其它参数方法参数,例子如下
function method() {console.log(this, arguments)
}
var a = 1
var b = 2, c = 3, d = 4
method.call(a, b, c, d)// 打印 [Number: 1] { '0': 2, '1': 3, '2': 4 }
method.apply(a, [b, c, d])// 同上 [Number: 1] { '0': 2, '1': 3, '2': 4 }
bind 和call参数传递方式一致,唯一区别是bind不会立即执行,只会更改作用域和方法参数,到真正执行方法时才会执行。
var t = method.bind(a, b)t()// [Number: 1] { '0': 2 }
t = t.bind(null, c)
t()// [Number: 1] { '0': 2, '1': 3 }
t = t.bind(null, d)
t() // [Number: 1] { '0': 2, '1': 3, '2': 4 }
可以采用bind方法进行更改事件绑定的方法的参数及作用域。