我按照这个例子 How to use jQuery to add form elements dynamically
是否可以动态地将表单元素添加到动态生成的表单中?
这是我的代码:
<html>
<script src="jquery.js" type="text/javascript"></script>
<script>
$(document).ready(function () {
$('#addRow').click(function () {
$('<div/>', {
'class' : 'extraPerson', html: GetHtml()
}).hide().appendTo('#container').slideDown('slow');
});
$('#addAttribte').click(function () {
$('<div/>', {
'class' : 'extraAttribute', html: GetHtml1()
}).hide().appendTo('#extraAttribute').slideDown('slow');
});
})
function GetHtml() {
var len = $('.extraPerson').length;
var $html = $('.extraPersonTemplate').clone();
$html.find('[name=firstname]')[0].name="firstname" + len;
return $html.html();
}
function GetHtml1() {
var len = $('.extraAttribute').length;
var $html = $('.extraAttributeTemplate').clone();
$html.find('[name=attribute]')[0].name="attribute" + len;
return $html.html();
}
</script>
<div class="extraPersonTemplate">
<input class="span3" placeholder="First Name" type="text" name="firstname">
<a href="javascript:void(0)" id="addAttribute">Add Attribute</a>
<div id="extraAttribute"></div>
</div>
<div class="extraAttributeTemplate">
<input class="span3" placeholder="Attribute" type="text" name="attribute">
</div>
<div id="container"></div>
<a href="#" id="addRow"><i class="icon-plus-sign icon-white"></i> Add another family member</p></a>
</html>
我意识到新添加的表单元素的名称会有问题,但此时我只想动态添加一行文本到动态生成的表单。
编辑抱歉,忘了提问题是什么;页面开头只有一个链接说“添加另一个家庭成员”。这将添加extraPersonTemplate
。此模板还有一个“添加属性”链接,可为此新添加的字段添加额外的表单字段。
但是,当我点击“添加属性”时,我希望它将extraAttributeTemplate
添加到动态添加的表单的底部,但没有任何反应。
答案 0 :(得分:4)
有两个具体问题。
ID应该是唯一的。为每个人设置一个id为addAttribute
的锚是无效的,只有在DOM中找到的第一个元素才会绑定事件。这在开始时不是问题,因为它们只有一个,但是一旦你开始添加其他家庭成员就会成为一个问题。
ready处理程序中绑定的事件仅绑定到代码执行时存在的元素。如果您要添加要绑定这些事件的新元素,则需要使用事件委派:
$(document).on('click', '.addAttribute', function() {
// add an attribute here
// I've changed from an ID to a class selector
// you'll need to find a way to get a reference to the correct elements from a specific anchor
});
我已经将demo与上面详述的更改放在一起。