DOM树中所有子元素的一个侦听器

时间:2013-08-08 07:16:15

标签: javascript dom input jquery

如何只有一个keypress事件,以便DOM树中的任何子元素都可以触发它。

例如我有这样的事情:

<table>
<tr>
  <td><input type="text" id="col_1" value="1"/></td>
</tr>
<tr>
  <td><input type="text" id="col_2" value="2"/></td>
</tr>
<tr>
  <td><input type="text" id="col_3" value="3"/></td>
</tr>
</table>

例如,当用户更改id=col_3上的值,然后更改id=col_2时,如何区分哪个输入触发了此事件?我需要能够将input idvalue保存在array中,以便稍后阅读。

1 个答案:

答案 0 :(得分:2)

您可以尝试使用jQuery .on method

$("table").on("keypress", "input", function(event){
  alert($(this).attr("id"));// gets the input id
  alert($(this).val());// gets the input value
});

此代码将处理<table>标记内的所有输入。

如果你不想在每次按键时执行这个监听器,给某些时间(3秒)呼吸,试试这段代码 -

var timeoutReference;

$("table").on("keypress", "input", function(event){
    var el = this; // copy of this object for further usage

    if (timeoutReference) clearTimeout(timeoutReference);
    timeoutReference = setTimeout(function() {
        doneTyping.call(el);
    }, 3000);
});

$("table").on("blur", "input", function(event){
    doneTyping.call(this);
});

function doneTyping(){
    var el = this;
    // we only want to execute if a timer is pending
    if (!timeoutReference){
        return;
    }
    // reset the timeout then continue on with the code
    timeoutReference = null;

    //
    // Code to execute here
    //
    alert('This was executed when the user is done typing.');
    alert($(el).attr("id"));//id
    alert($(el).val());//value
}