Setting The Id Attribute Of An Input Element Dynamically In Ie: Alternative For Setattribute Method
Solution 1:
This code work in IE7 and Chrome:
var hiddenInput = document.createElement("input");
hiddenInput.setAttribute("id", "uniqueIdentifier");
hiddenInput.setAttribute("type", "hidden");
hiddenInput.setAttribute("value", 'ID');
hiddenInput.setAttribute("class", "ListItem");
$('body').append(hiddenInput);
Maybe problem somewhere else ?
Solution 2:
Forget setAttribute()
: it's badly broken and doesn't always do what you might expect in old IE (IE <= 8 and compatibility modes in later versions). Use the element's properties instead. This is generally a good idea, not just for this particular case. Replace your code with the following, which will work in all major browsers:
var hiddenInput = document.createElement("input");
hiddenInput.id = "uniqueIdentifier";
hiddenInput.type = "hidden";
hiddenInput.value = ID;
hiddenInput.className = "ListItem";
Update
The nasty hack in the second code block in the question is unnecessary, and the code above works fine in all major browsers, including IE 6. See http://www.jsfiddle.net/timdown/aEvUT/. The reason why you get null
in your alert()
is that when it is called, the new input is not yet in the document, hence the document.getElementById()
call cannot find it.
Solution 3:
Use jquery attr method. It works in all browsers.
var hiddenInput = document.createElement("input");
$(hiddenInput).attr({
'id':'uniqueIdentifier',
'type': 'hidden',
'value': ID,
'class': 'ListItem'
});
Or you could use folowing code:
var e = $('<input id ="uniqueIdentifier" type="hidden" value="' + ID + '"class="ListItem"/>');
Solution 4:
I wasn't aware of a problem with setAttribute
in IE ? However you could directly set the expando property on the node itself:
hiddenInput.id = "uniqueIdentifier";
Solution 5:
The documentation says:
When you need to set attributes that are also mapped to a JavaScript dot-property (such as href, style, src or event-handlers), favour that mapping instead.
So, just change id, value assignment and you should be done.
Post a Comment for "Setting The Id Attribute Of An Input Element Dynamically In Ie: Alternative For Setattribute Method"