How do I use jQuery's form.serialize but exclude empty fields

JavascriptJqueryFormsSerializationInput

Javascript Problem Overview


I have a search form with a number of text inputs & drop downs that submits via a GET. I'd like to have a cleaner search url by removing the empty fields from the querystring when a search is performed.

var form = $("form");  
var serializedFormStr = form.serialize();  
// I'd like to remove inputs where value is '' or '.' here
window.location.href = '/search?' + serializedFormStr

Any idea how I can do this using jQuery?

Javascript Solutions


Solution 1 - Javascript

I've been looking over the jQuery docs and I think we can do this in one line using selectors:

$("#myForm :input[value!='']").serialize() // does the job!

Obviously #myForm gets the element with id "myForm" but what was less obvious to me at first was that the space character is needed between #myForm and :input as it is the descendant operator.

:input matches all input, textarea, select and button elements.

[value!=''] is an attribute not equal filter. The weird (and helpful) thing is that all :input element types have value attributes even selects and checkboxes etc.

Finally to also remove inputs where the value was '.' (as mentioned in the question):

$("#myForm :input[value!=''][value!='.']").serialize()

In this case juxtaposition, ie placing two attribute selectors next to each other, implies an AND. Using a comma implies an OR. Sorry if that's obvious to CSS people!

Solution 2 - Javascript

I wasn't able to get Tom's solution to work (?), but I was able to do this using .filter() with a short function to identify empty fields. I'm using jQuery 2.1.1.

var formData = $("#formid :input")
    .filter(function(index, element) {
        return $(element).val() != '';
    })
    .serialize();

Solution 3 - Javascript

You could do it with a regex...

var orig = $('#myForm').serialize();
var withoutEmpties = orig.replace(/[^&]+=\.?(?:&|$)/g, '')

Test cases:

orig = "a=&b=.&c=&d=.&e=";
new => ""

orig = "a=&b=bbb&c=.&d=ddd&e=";
new => "b=bbb&d=ddd&"  // dunno if that trailing & is a problem or not

Solution 4 - Javascript

This works for me:

data = $( "#my_form input").filter(function () {
        return !!this.value;
    }).serialize();

Solution 5 - Javascript

I have used above solution but for me those did not worked. So I have used following code

$('#searchform').submit(function(){

            var serializedData = $(this).serializeArray();
            var query_str = '';

            $.each(serializedData, function(i,data){
                if($.trim(data['value'])){
                    query_str += (query_str == '') ? '?' + data['name'] + '=' + data['value'] : '&' + data['name'] + '=' + data['value'];
                }
            });
            console.log(query_str);
            return false;
        });

May be useful for someone

Solution 6 - Javascript

An alternative to Rich's solution:

$('#form').submit(function (e) {
  e.preventDefault();

  var query = $(this).serializeArray().filter(function (i) {
    return i.value;
  });

   window.location.href = $(this).attr('action') + (query ? '?' + $.param(query) : '');
});

Explanations:

  • .submit() hooks onto the form's submit event
  • e.preventDefault() prevents the form from submitting
  • .serializeArray() gives us an array representation of the query string that was going to be sent.
  • .filter() removes falsy (including empty) values in that array.
  • $.param(query) creates a serialized and URL-compliant representation of our updated array
  • setting a value to window.location.href sends the request

Solution 7 - Javascript

I would look at the source code for jQuery. In the latest version line 3287.

I might add in a "serialize2" and "serializeArray2" functions. of course name them something meaniful.

Or the better way would be to write something to pull the unused vars out of the serializedFormStr. Some regex that looks for =& in mid string or ending in = Any regex wizards around?

UPDATE: I like rogeriopvl's answer better (+1)... especially since I can't find any good regex tools right now.

Solution 8 - Javascript

In coffeescript, do this:

serialized_form = $(_.filter($(context).find("form.params input"), (x) -> $(x).val() != '')).serialize()

Solution 9 - Javascript

You might want to look at the .each() jquery function, that allows you to iterate through every element of a selector, so this way you can go check each input field and see if it's empty or not and then remove it from the form using element.remove(). After that you can serialize the form.

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionTom VinerView Question on Stackoverflow
Solution 1 - JavascriptTom VinerView Answer on Stackoverflow
Solution 2 - JavascriptRichView Answer on Stackoverflow
Solution 3 - JavascriptnickfView Answer on Stackoverflow
Solution 4 - JavascriptRustemMazitovView Answer on Stackoverflow
Solution 5 - JavascriptRajan RawalView Answer on Stackoverflow
Solution 6 - JavascriptKathandraxView Answer on Stackoverflow
Solution 7 - JavascriptBuddyJoeView Answer on Stackoverflow
Solution 8 - JavascriptJohn GoodsenView Answer on Stackoverflow
Solution 9 - JavascriptrogeriopvlView Answer on Stackoverflow