我想将数字转换为数字格式。
到目前为止我已经尝试过了:http://plnkr.co/edit/lVJGXyuX0BMvB9QUL5zS?p=preview
function formatMoney(credits) {
console.log(credits+'credits');
var lastThree = credits.substring(credits.length-3);
// var lastThree = credits.slice(-2);
var otherNumbers = credits.substring(0,credits.length-3);
console.log(otherNumbers+'otherNumbers');
if(otherNumbers !== '')
lastThree = ',' + lastThree;
var res = otherNumbers.replace(/\B(?=(\d{2})+(?!\d))/g, ",") + lastThree;
return res;
}
function formatNumber(num) {
var n1, n2;
num = (Math.round(num * 100) / 100) + '' || '';
n1 = num.split('.');
n2 = n1[1] || null;
n1 = n1[0].replace(/(\d)(?=(\d\d)+\d$)/g, ",");
num = n2 ? n1 + '.' + n2 : n1;
return num;
}
我想将数字转换为印度货币。
示例:
1,000
10,000
1,00,000
10,00,000
我通过函数formatMoney()得到的输出:1,0,0,000
我通过函数formatNumber()获得的输出:1,000,在按0后,它变为NaN0
我在这里做错了什么?
答案 0 :(得分:3)
AngularJS提供商用于执行此类操作的过滤器,有currency filter可用:
我已经删除了格式化功能并用货币过滤器和印度货币的卢比符号替换了代码,希望这可以解决您的问题。
var app = angular.module('plunker', []);
app.controller('MainCtrl', function($scope) {
$scope.change=function($event, money){
$scope.money = qwerty;
};
});
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script>
<!DOCTYPE html>
<html ng-app="plunker">
<head>
<meta charset="utf-8" />
<title>AngularJS Plunker</title>
<script>document.write('<base href="' + document.location + '" />');</script>
<link rel="stylesheet" href="style.css" />
<script data-require="angular.js@1.2.x" src="https://code.angularjs.org/1.2.20/angular.js" data-semver="1.2.20"></script>
<script src="app.js"></script>
</head>
<body ng-controller="MainCtrl">
<input ng-keypress="change($event, money)" type="text" ng-model='money' >
<pre>{{money | currency : "₹" }}</pre>
</body>
</html>
答案 1 :(得分:1)
因为核心Javascript Intl中有一个api,所以您不需要执行此操作。
var number = 2453413.70;
console.log(new Intl.NumberFormat('en-IN', { style: "currency", currency: "INR" }).format(number));
如果您不需要货币符号,请像这样使用它
console.log(new Intl.NumberFormat('en-IN').format(number));
答案 2 :(得分:0)
您可以直接将$filter服务注入并使用到您的控制器甚至视图中
var myApp = angular.module('myApp', []);
myApp.controller('CalcCtrl', function ($scope, $filter) {
$scope.num = 122212111221121212;
$scope.filtered = $filter('currency')($scope.num);
alert($scope.filtered)
});
请记住,$ filter服务也很容易扩展。
myApp.filter('customCurrency', function() {
return function(input, symbol, place) {
// Ensure that we are working with a number
if(isNaN(input)) {
return input;
} else {
// Check if optional parameters are passed, if not, use the defaults
var symbol = symbol || 'EUROS';
var place = place === undefined ? true : place;
// Perform the operation to set the symbol in the right location
if( place === true) {
return symbol + input;
} else {
return input + symbol;
}
}
}
});
myApp.controller('CalcCtrl', function ($scope, $filter) {
$scope.num = 122212111221121212;
$scope.filtered = $filter('customCurrency')($scope.num);
});