I want to calculate each row\'s total price by multiplying individual row\'s inputs and then finally calculate a grand total by adding all the total values of the Total colu
Your html is invalid: the id
attribute is supposed to be unique but you are repeating the same three ids in every row. The easiest way to fix this is to change your inputs to have class="val1"
and class="val2"
instead of id="val1"
and `id="val2"
, and change your row total to have class="multTotal"
. I'd also move the txtMult
class to each of the tr elements with the inputs in them, for ease of selecting those rows:
<tr class="txtMult">
<td>
<input name="txtEmmail" class="val1" />
</td>
<td>
<input name="txtEmmail" class="val2"/>
</td>
<td>
<span class="multTotal">0.00</span>
</td>
</tr>
...and then change the selector in your jQuery code to select by class in the context of the current row. Note also that you don't need an .each()
loop to bind the .keyup()
handlers to the elements that match your selector, just use $("someselector").keyup()
:
$(document).ready(function () {
$(".txtMult input").keyup(multInputs);
function multInputs() {
var mult = 0;
// for each row:
$("tr.txtMult").each(function () {
// get the values from this row:
var $val1 = $('.val1', this).val();
var $val2 = $('.val2', this).val();
var $total = ($val1 * 1) * ($val2 * 1);
// set total for the row
$('.multTotal', this).text($total);
mult += $total;
});
$("#grandTotal").text(mult);
}
});
Working demo: http://jsfiddle.net/nnnnnn/5FpWC/
Let add a class in
to the table.
At first add a change event to all inputs of the table. On change of a input field multiply all inputs of same row and update the multTotal
and grandTotal
$(function(){
$('.in input').change(function(){
var p=$(this).parent().parent() //get the parent of changed input
var m=p.find('input.txtMult') //find all input of the row
var mul=parseFloat($(m[0]).val()*$(m[1]).val()).toFixed(2) //multiply them
var res=p.find('.multTotal') // get corresponding multTotal
res.html(mul); //show the result
var total=0;
$('.in .multTotal').each(function(){
total+=parseFloat($(this).html())
}) //calculate grand total
$('.in #grandTotal').html(parseFloat(total).toFixed(2)) //show grand total
});
})
check this at jsfiddle
If need to process more than 2 fields change
var mul=parseFloat($(m[0]).val()*$(m[1]).val()).toFixed(2) //multiply them
to
var mul=1;
$(m).each(function(){
mul*=$(this).val()
})
mul=parseFloat(mul).toFixed(2)