I have a JSON array with around 2000 records and I need to build a table to display the data from these records.As it has large amount of data the processing may cause the browser to freeze.So I was asked to display a progress bar indicating the progress. Javascript being single threaded i have to use Setinterval to show progress.But the progress is not shown correctly in IE versions,depending on the number of records in the array. Please help
var g_arr = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H'];
$("#btn").click(function() {
var Loop = 1000;
$("#tbl tbody td").remove();
$("#divProgress").progressbar({
value: 0
});
//window.setTimeout(function(){
for (var i = 0; i < Loop; i++) {
var TR = $("<tr>");
$.each(g_arr, function(index, val) {
var TD = $("<td>");
TD.append(val);
TR.append(TD);
});
window.setTimeout(function() {
$("#divProgress").progressbar({
value: (i / Loop) * 100
});
}, 3000);
$("#tbl tbody").append(TR);
}
//},0);
});
td,
th,
table {
border-color: black;
border-width: thin;
border-style: solid;
border-collapse: collapse;
}
<link href="http://code.jquery.com/ui/1.10.0/themes/smoothness/jquery-ui.css" rel="stylesheet" />
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.10.0/jquery.min.js"></script>
<script src="http://code.jquery.com/ui/1.10.3/jquery-ui.min.js"></script>
<div id="divProgress"></div>
<div id="divBody">
<input type="button" id="btn" value="Click Here" />
<table id="tbl">
<thead>
<tr>
<th>
Column1
</th>
<th>
Column2
</th>
<th>
Column3
</th>
<th>
Column4
</th>
<th>
Column5
</th>
<th>
Column6
</th>
<th>
Column7
</th>
<th>
Column8
</th>
</tr>
</thead>
<tbody>
</tbody>
</table>
</div>
enter code here
Couple of things you are doing wrong:
for
loops while doing DOM manipulations, which are very expensive. Use requestAnimationFrame instead. RequestAnimationFrame basically instructs the browser that you wish to perform an animation (or some kind of computation) and requests that the browser call a specified function before the next repaint. In other words, its like afor
loop, but each loop iteration runs only when the browser decides (when it can paint).$("#divProgress")
objects. Use cache. Create a single$progressBar
and then use it 1000 times. Same problem with$("#tbl tbody")
being created 1000 times.$progressBar.progressbar({ value: (i / Loop) * 100})
is a constructor that creates a new progress bar instance with such value. Use the setter, not the constructor:$progressBar.progressbar("value", (i / Loop) * 100)
.Support for older IE
If
requestAnimationFrame
is not defined (as it happens for IE9 and below), I am calling thedoRequestFrame
manually.