I am following this: http://docs.angularjs.org/api/ng.filter:currency When I type 1234.56 in the field then the output should be $1,234.56. But if I type in the input 1234 then the output is $1,234.00. I don't want the decimal and the zeros to appear. How can this be done?
If you want something quick and dirty, you can set the second parameter to the filter as such in order to trigger two decimal places when there are, in fact, cents to be shown:
{{amount | currency:undefined:2*(amount % 1 !== 0)}}
Quick caveat is that this only works roughly up to 10^14 since a loss of floating point precision will cause amount % 1
to return 0
.
An alternative syntax, which works pretty much identically but is a little less understandable is 2*!!(amount % 1)
Add a new filter:
'use strict';
angular
.module('myApp')
.filter('myCurrency', ['$filter', function($filter) {
return function(input) {
input = parseFloat(input);
input = input.toFixed(input % 1 === 0 ? 0 : 2);
return '$' + input.toString().replace(/\B(?=(\d{3})+(?!\d))/g, ',');
};
}]);
In your view:
<span>{{ '100' | myCurrency }}</span> <!-- Result: $100 -->
<span>{{ '100.05' | myCurrency }}</span> <!-- Result: $100.05 -->
<span>{{ '1000' | myCurrency }}</span> <!-- Result: $1,000 -->
<span>{{ '1000.05' | myCurrency }}</span> <!-- Result: $1,000.05 -->
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With