Introduction
I was developing a web application that had some pretty complex authorization logic, and would enable and disable certain inputs on many different web forms. For example, user A would have the first 5 text boxes disabled and user B would have text boxes 5 through 10 disabled. That made it difficult to set the focus to the proper input. Difficult in terms of the amount of code required to accomplish such a simple task.
Options
- At each step of the authorization stage, write hard-coded code to set the focus to an input (i.e. duplicate logic dozens of times on dozens of pages).
- Write client-side JavaScript to dynamically handle it.
A Few Tries
Since duplicating logic is generally agreed to be a bad practice, I went for the dynamic option.
My first idea was to simply set the focus to the first element of the first form, which would work in some instances and not in others. For example, in a .NET application the first element of the first form is a hidden element which cannot accept the focus. Also, my application has many disabled fields which also cannot accept the focus. The code below doesn't work in all situations:
document.forms[0][0].focus();
My next idea was to loop through the items of the first form and find the first non-hidden, non-disabled element. The code below still doesn't fulfill my ultimate requirement because sometimes I have multiple forms on a page:
var bFound = false;
for(i=0; i < document.forms[0].length; i++)
{
if (document.forms[0][i].type != "hidden")
{
if (document.forms[0][i].disabled != true)
{
document.forms[0][i].focus();
var bFound = true;
}
}
if (bFound == true)
break;
}
Solution
The problem with the code above is that it has a hard coded reference to forms[0]
, so it will not work when the input you want to set the focus to is not within the first form. For example, a complex page might contain several forms for various purposes. My final solution was to use a nested loop that loops through all forms until it finds an input that is not hidden and not disabled. The code below has been tested in Internet Explorer 6.0 and Mozilla Firefox 1.0.4:
var bFound = false;
for (f=0; f < document.forms.length; f++)
{
for(i=0; i < document.forms[f].length; i++)
{
if (document.forms[f][i].type != "hidden")
{
if (document.forms[f][i].disabled != true)
{
document.forms[f][i].focus();
var bFound = true;
}
}
if (bFound == true)
break;
}
if (bFound == true)
break;
}
I copied the code above into a .js file and included a reference on all pages of my application. Now, no matter what inputs are disabled on a form, the focus finds its way to the first one that is enabled.