Reputation: 1609
My application saves the filled form data (input fields with their ID's and values) to Local Storage and even loads them back successfully, separating the parsed ID's and values back up again.
The problem is that I can't manage to pre-fill the form back up from the data that has been saved to Local Storage once the page reloads. Saved data remains in browser's resources, and console logs the correct values for each input field. However, nothing shows up on the page itself.
Here is an example of my HTML structure:
<form id="myForm" method="post">
<input type="submit" onclick="dataSave();" value="Save">
<input class="formField" type="checkbox">Task done!
<input class="formField" type="text">How it went?
</form>
And here is the current JavaScript that does the saving and loading to Local Storage:
if (typeof(Storage) !== "undefined"){
// Loading data
function dataLoad(){
var inputParse = JSON.parse(localStorage.getItem('fieldString'));
var inputId;
var inputValue;
var inputType;
$.each(inputParse, function(key, value){
inputId = key;
inputValue = value;
if (inputValue === "true" || inputValue === "false"){
inputType = inputValue;
}
});
$(".formField").each(function(){
inputId = this.id;
document.getElementById(inputId);
if (inputType === "true"){
$(inputId).attr("checked", "checked");
} else {
$(inputId).val(inputValue);
}
});
}
// Saving data
function dataSave(){
var mngrFields = {};
$(".mngr-field").each(function(){
if (this.type == "radio" || this.type == "checkbox"){
mngrFields[this.id] = this.checked;
} else {
mngrFields[this.id] = this.value;
}
});
localStorage.setItem('fieldString', JSON.stringify(mngrFields));
}
And to run the dataLoad()
after the page has loaded, I have a simple dataLoad();
inside my $(document).ready(function(){ });
.
How can I get the form filled up with the saved data? I have tried some document.GetElementById
workarounds, but no luck.
Upvotes: 3
Views: 5517
Reputation: 5316
The task is simple:
So here it is:
function dataLoad() {
if (localStorage.getItem('fieldString') !== null) {
var inputParse = JSON.parse(localStorage.getItem('fieldString'));
$.each(inputParse, function (key, value) {
var field = document.getElementById(key);
if(field.type == 'radio' || field.type == 'checkbox'){
field.checked = value;
}else{
field.value = value;
}
});
}
}
You can call the function automatically on document load or assign it to some button (like save action) - it's up to you.
Good luck!
Upvotes: 3