受Chrome Postman extension的启发,我希望通过在导航到某个字段时自动添加新输入字段来实现多字段表单部分,并将焦点放在新字段上。下面的截图显示了这在Postman中是如何工作的;最下面一行包含几个输入,当导航到它们时,会在其上方添加一个新行,可以输入。
如何在JavaScript / jQuery中实现此行为?为了简化问题,我每行只需要一个输入字段。我创建了一个fiddle,它应该作为解决方案的起点。
示例HTML:
<div id="last-row">
<input name="multifield" placeholder="Value"></input>
</div>
答案 0 :(得分: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);
});
});
答案 1 :(得分: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();
});
答案 2 :(得分:0)
到目前为止,我提出了一个似乎有效的解决方案,但我很想听听其他人是否有一个好的解决方案。我所做的是捕获最后一个输入字段的焦点事件,添加一个新行并将焦点放在该行的输入字段中。有关正常工作的代码,请参阅this fiddle。
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();
});