Jquery自动获取div中所有元素的值

时间:2011-12-21 10:29:30

标签: javascript jquery html forms

我有一个主div,里面有很多输入文字和单选按钮。 像这样:

<div id="mainDiv">
   <input type="text" name="text-1" /> <br/>

   <input type="radio" name="radio-1" />Yes
   <input type="radio" name="radio-1" />No <br/>

   <input type="text" name="text-2" /> <br/>
   <input type="text" name="text-3" /> <br/>
</div>
<img src="img/img.gif" onclick="getAllValues();" />

我想在JQuery中定义函数“getAllValues()”,它获取“mainDiv”中的所有值并将它们保存在字符串中。 有可能吗?

3 个答案:

答案 0 :(得分:18)

要实现此目的,您可以选择所有表单字段并使用map()从其值创建数组,可以根据其type检索数组。试试这个:

function getAllValues() {
    var inputValues = $('#mainDiv :input').map(function() {
        var type = $(this).prop("type");

        // checked radios/checkboxes
        if ((type == "checkbox" || type == "radio") && this.checked) { 
           return $(this).val();
        }
        // all other fields, except buttons
        else if (type != "button" && type != "submit") {
            return $(this).val();
        }
    })
    return inputValues.join(',');
}

这里可以将if语句连接在一起,但为了清楚起见,我将它们分开。

答案 1 :(得分:6)

尝试类似的东西:

function getAllValues() {
  var allVal = '';
  $("#mainDiv > input").each(function() {
    allVal += '&' + $(this).attr('name') + '=' + $(this).val();
  });
  alert(allVal);
}

答案 2 :(得分:2)

这是为您构建JSON字符串的解决方案。它获取文本字段,复选框和选择元素的值:

function buildRequestStringData(form) {
    var select = form.find('select'),
        input = form.find('input'),
        requestString = '{';
    for (var i = 0; i < select.length; i++) {
        requestString += '"' + $(select[i]).attr('name') + '": "' +$(select[i]).val() + '",';
    }
    if (select.length > 0) {
        requestString = requestString.substring(0, requestString.length - 1);
    }
    for (var i = 0; i < input.length; i++) {
        if ($(input[i]).attr('type') !== 'checkbox') {
            requestString += '"' + $(input[i]).attr('name') + '":"' + $(input[i]).val() + '",';
        } else {
            if ($(input[i]).attr('checked')) {
                requestString += '"' + $(input[i]).attr('name') +'":"' + $(input[i]).val() +'",';
            }
        }
    }
    if (input.length > 0) {
        requestString = requestString.substring(0, requestString.length - 1);
    }
    requestString += '}';
    return requestString;
}

你可以这样调用这个函数:

buildRequestStringData($('#mainDiv'))

结果http://jsfiddle.net/p7hbT/