1

我的一种形式允许使用 Jquery 添加多个元素。下面的 HTML 显示了演示内容,

<form name="my-location-frm">
    <div class="address">
        <input type="text" name="house-name" value='house1'>
        <input type="text" name="street-no" value='street1'>
    </div>

    <div class="address">
        <input type="text" name="house-name" value='house2'>
        <input type="text" name="street-no" value='street2'>
    </div>

    <div class="address">
        <input type="text" name="house-name" value='house3'>
        <input type="text" name="street-no" value='street3'>
    </div>

    <input type="submit">
</form>

这里class="address"wrapper 会重复很多次。如何使用 Jquery 检索每个元素(房屋名称、街道编号)值

尝试如下,

$.each($(".address"), function(key,value) { 

     hn = $(value).children("input[name=house-name]").val();
     console.log(n);
}

但是失败了:(

预期的 Javascript 输出,

house1,street1
house2,street2
house3,street3
4

2 回答 2

4

请改用此变体:

$(".address").each(function() {
    var house = $(this).children("input[name='house-name']").val();
    var street = $(this).children("input[name='street-no']").val();
    console.log(house + "," + street);
});

或者(如果需要)您可以收集数组中的所有输入值:

$(".address").each(function() {
    var values = [];
    $(this).children("input").each(function() {
        values.push(this.value);
    });
    console.log(values.join(","));
});

演示:http: //jsfiddle.net/PtNm5/

于 2012-05-07T10:05:34.340 回答
1
$.each($(".address"), function(key,value) { 
     var hn = $(this).children('input[name="house-name"]').val(),
         sn = $(this).children('input[name="street-no"]').val();
     console.log(hn.concat(', ' + sn));
});

或者

 $.each($(".address"), function(key,value) { 
         var hn = $('input[name="house-name"]', this).val(),
             sn = $('input[name="street-no"]', this).val();
         console.log(hn.concat(', ' + sn));
    });

或者

$.each($('.address'), function() {
  var output = $('input[name="house-name"]', this).val().concat(', ' + $('input[name="street-no"]', this).val());
  console.log(output);
});
于 2012-05-07T10:05:20.383 回答