1

如何更新调用事件“更改”的当前行的特定输入?

这是我的脚本:

$('#absence-table').on('change', '.from input, .to input',function() {
    var from   = $('.from input').val();
    var to     = $('.to input').val();

    if (from != "" && to != "")
    {
        d1 = getTimeStamp(from);
        d2 = getTimeStamp(to);

        if(d1 <= d2)
        {
            $('.result input').val(new Number(Math.round(d2 - d1)+1));
        }

        else
        {
            $('.result input').val(0);
        }
    }
});

HTML:

<table class="table table-bordered" id="absence-table">
<tr>
    <th>Absence type</th>
    <th>From</th>
    <th>To</th>
    <th>Days requested</th>
    <th>Morning</th>
    <th>Afternoon</th>
    <th colspan="2">Comment</th>
</tr>
<tr class="main-abs-line">
    <td>
        <select name="absence-type" class="input-small">
            <option value="t1">type1</option>
            <option value="t2">type2</option>
        </select>
    </td>
    <td class="from"><input type="text" class="input-small" /></td>
    <td class="to"><input type="text" class="input-small" /></td>
    <td class="result"><div class="text-center"><input type="text" class="input-xsmall" /></div></td>
    <td class="morning"><div class="text-center"><input type="checkbox"></div></td>
    <td class="afternoon"><div class="text-center"><input type="checkbox"></div></td>
    <td colspan="2"><input type="text" /></td>
</tr>
// some tr added by the append() method

目前,仅更新第一行的结果输入,从第一行复制当前结果输入。这很奇怪,因为 '.from input' 和 '.to input' 的值是正确的(当前行的值)。

通常我使用 $(this) 来获取当前对象,但是使用 on() 方法我不知道该怎么做。

4

3 回答 3

2

您可以event.target通过将事件传递给函数来使用

现场演示

function(event){
  alert(event.target.id);

你的代码是

$('#absence-table').on('change', '.from input, .to input',function(event) {
   alert(event.target.id);
   //your code
});
于 2013-07-18T13:38:41.857 回答
2

我相信这就是您正在寻找的:

$('#absence-table').on('change', '.from input, .to input',function() {
    $tr = $(this).closest("tr");
    var from   = $tr.find('.from input').val();
    var to     = $tr.find('.to input').val();

    if (from != "" && to != "")
    {
        d1 = getTimeStamp(from);
        d2 = getTimeStamp(to);

        if(d1 <= d2)
        {
            $tr.find('.result input').val(new Number(Math.round(d2 - d1)+1));
        }

        else
        {
            $tr.find('.result input').val(0);
        }
    }
});

这假设您有多个tr包含.to.from和的.result,并且当 a.to.from被更新时,您希望.result相同tr的 得到更新。

于 2013-07-18T13:54:56.850 回答
2

如果(根据您的评论)您想要封闭tr触发事件的任何元素change,只需使用:

var $tr = $(this).closest('tr');

在事件处理程序中,this对应于触发元素,即使使用委托事件处理程序也是如此。

于 2013-07-18T13:59:09.730 回答