在web开发中,咱们有时会须要动态监听输入框值的变化,当使用onkeydown、onkeypress、onkeyup做为监听事件时,会发现一些复制粘贴等操做用不了,同时,在处理组合快键键的时候也很麻烦。这时候咱们须要更专业的解决方案:HTML5标准事件oninput、onchange和IE专属的事件properchange。javascript
propertychange 和 input 事件:html
1)propertychange只要当前对象的属性发生改变就会触发该事件java
2)input是标准的浏览器事件,通常应用于input元素,当input的value发生变化就会发生,不管是键盘输入仍是鼠标黏贴的改变都能及时监听到变化jquery
$(function(){ web
$('#username').bind('input propertychange', function() { ajax
$('#result').html($(this).val().length + ' characters'); 浏览器
}); this
}) es5
这里bind同时绑定了input和propertychange两个方法。spa
转:http://www.codes51.com/article/detail_3922282.html
在 Web 开发中常常会碰到须要动态监听输入框值变化的状况,若是使用 onkeydown、onkeypress、onkeyup 这个几个键盘事件来监测的话,监听不了右键的复制、剪贴和粘贴这些操做,处理组合快捷键也很麻烦。所以这篇文章向你们介绍一种完美的解决方案:结合 HTML5 标准事件 oninput 和 IE 专属事件 onpropertychange 事件来监听输入框值变化。
oninput 是 HTML5 的标准事件,对于检测 textarea, input:text, input:password 和 input:search 这几个元素经过用户界面发生的内容变化很是有用,在内容修改后当即被触发,不像 onchange 事件须要失去焦点才触发。oninput 事件在主流浏览器的兼容状况以下:
从上面表格能够看出,oninput 事件在 IE9 如下版本不支持,须要使用 IE 特有的 onpropertychange 事件替代,这个事件在用户界面改变或者使用脚本直接修改内容两种状况下都会触发,有如下几种状况:
在监听到 onpropertychange 事件后,可使用 event 的 propertyName 属性来获取发生变化的属性名称。
集合 oninput & onpropertychange 监听输入框内容变化的示例代码以下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
<head>
<script type=
"text/javascript"
>
// Firefox, Google Chrome, Opera, Safari, Internet Explorer from version 9
function
OnInput (event) {
alert (
"The new content: "
+ event.target.value);
}
// Internet Explorer
function
OnPropChanged (event) {
if
(event.propertyName.toLowerCase () ==
"value"
) {
alert (
"The new content: "
+ event.srcElement.value);
}
}
</script>
</head>
<body>
Please modify the contents of the text field.
<input type=
"text"
oninput=
"OnInput (event)"
onpropertychange=
"OnPropChanged (event)"
value=
"Text field"
/>
</body>
|
使用 jQuery 库的话,只须要同时绑定 oninput 和 onpropertychange 两个事件就能够了,示例代码以下:
1
2
3
|
$(
'textarea'
).bind(
'input propertychange'
,
function
() {
$(
'.msg'
).html($(
this
).val().length +
' characters'
);
});
|
下面是 JsFiddle 在线演示,若是不能显示请刷新一下页面或者点击后面的连接(http://jsfiddle.net/PVpZf/):