0

Chrome Postman 扩展的启发,我想通过在导航到某个字段时自动添加一个新的输入字段来实现一个多字段表单部分,并将焦点放在新字段上。下面的屏幕截图显示了这在 Postman 中是如何工作的;最下面的行包含几个输入,当导航到这些输入时,会导致在其上方添加一个新行,可以输入该行。

邮差

如何在 JavaScript/jQuery 中实现这种行为?为了简化问题,我每行只需要一个输入字段。我创建了一个小提琴,它应该作为解决方案的起点。

示例 HTML:

<div id="last-row">
  <input name="multifield" placeholder="Value"></input>
</div>

​</p>

4

3 回答 3

4

看看我会怎么做:http: //jsfiddle.net/jCMc8/8/

html:

<section>
    <div id="initRow">
        <input name="multifield" placeholder="Value">
    </div>
</section>​

javascript:

function addRow(section, initRow) {
    var newRow = initRow.clone().removeAttr('id').addClass('new').insertBefore(initRow),
        deleteRow = $('<a class="rowDelete"><img src="http://i.imgur.com/ZSoHl.png"></a>');

    newRow
        .append(deleteRow)
        .on('click', 'a.rowDelete', function() {
            removeRow(newRow);
        })
        .slideDown(300, function() {
            $(this)
                .find('input').focus();
        })
}

function removeRow(newRow) {
    newRow
        .slideUp(200, function() {
            $(this)
                .next('div:not(#initRow)')
                    .find('input').focus()
                    .end()
                .end()
                .remove();
        });
}

$(function () {
    var initRow = $('#initRow'),
        section = initRow.parent('section');

    initRow.on('focus', 'input', function() {
        addRow(section, initRow);
    });
});

​ ​</p>

于 2012-12-10T13:53:35.803 回答
3

我就是这样做的。

HTML:

<table>
    <tbody>
        <tr class="item">
            <td><input name="multifield" placeholder="Value" /></td>
            <td><i class="icon delete"></i></td>
        </tr>

        <tr class="item inactive">
            <td><input name="multifield" placeholder="Value" /></td>
            <td><i class="icon delete"></i></td>
        </tr>
    </tbody>
</table>

JavaScript:

$("table")
    .on("click focus", ".item.inactive", function(e) {
        var curRow = $(this);
        curRow.clone().appendTo("table tbody");
        curRow.removeClass("inactive").find("input:first").focus();
    })
    .on("click", ".icon.delete", function(e) {
        $(this).closest("tr").remove();
    });

请参阅jsFiddle 上的测试用例

于 2012-12-10T13:42:30.133 回答
0

我提出了一个迄今为止似乎可行的解决方案,但我有兴趣听取其他人关于它是否是一个好的解决方案。我所做的是捕捉最后一个输入字段的焦点事件,添加一个新行并将焦点放在该行中的输入字段上。请参阅此小提琴以获取工作代码。

HTML:

<div id="last-row">
    <input name="multifield" placeholder="Value">
</div>

JavaScript:

var lastRow = $('#last-row');
var lastInput = lastRow.find('input');

function addRow() {
    var newRow = $('<div><input name="multifield" placeholder="Value"><a class="row-delete"><img src="http://i.imgur.com/ZSoHl.png" /></a></div>');
    var newInput = newRow.find('input');
    lastRow.before(newRow);
    newInput.focus();

    var newDelete = newRow.find('a');
    newDelete.click(function() {
        newRow.remove();
    });
}

lastInput.focus(function() {
    addRow();
});
于 2012-12-10T11:43:43.610 回答