Lee Kelleher

Using jQuery to swap form fields

Posted on . Estimated read time: 2 minutes (341 words)

Due to an technical decision early on in my project, the date-of-birth field on a profile edit page in a single text-input element.  My client would now like the date-of-birth to be 3 dropdown lists, (day, month and year).  The amount of work involved making changes to both the back and front ends would take at least a day. (It sounds a lot, but you know it would).

Here’s where a front-end developer’s best friend comes in… use jQuery to:

  1. create the 3 dropdown lists
  2. hide the original text-input field
  3. update any changes [to the dropdown lists] back to the original text-input.

After 15 mins of building up the HTML output string in JavaScript, here’s the code:

$(document).ready(function()
{
	var $dob = $('input#ProfileEdit_DateOfBirth');
	if ($dob.length > 0) {
		var dob = $dob.val().split('-', 3);
		var html = '<select name="dob-day" id="dob-day" class="dob-date">';
		for(var i = 1; i <= 31; i++){
			html += '<option value="' + i + '"';
			if (dob&#91;2&#93; == i)
				html += ' selected="selected"';
			html += '>' + i + '</option>';
		}
		html += '</select> ';

		var months = new Array('January','February','March','April','May','June','July','August','September','October','November','December');
		html += '<select name="dob-month" id="dob-month" class="dob-date">';
		for(var i = 1; i <= 12; i++){
			html += '<option value="' + i + '"';
			if (dob&#91;1&#93; == i)
				html += ' selected="selected"';
			html += '>' + months[i - 1] + '</option>';
		}
		html += '</select> ';

		var thisYear = new Date().getFullYear();
		html += '<select name="dob-year" id="dob-year" class="dob-date">';
		for(var i = (thisYear - 16); i >= (thisYear - 90); i--){
			html += '<option value="' + i + '"';
			if (dob&#91;0&#93; == i)
				html += ' selected="selected"';
			html += '>' + i + '</option>';
		}
		html += '</select> ';

		$dob.after(html).css('display','none');

		$('select.dob-date').change(function(){
			$dob.val($('select#dob-year').val() + '-' + $('select#dob-month').val() + '-' + $('select#dob-day').val())
		});
	}
});

Any changes to the <select> elements trigger the jQuery .change() event, which are then updated back in the original text-input field.  The server-side code (in this case ASP.NET) is non the wiser.

So there you go, that’s my quick-n-dirty approach to using jQuery to swap form fields.