보다 철저한 솔루션
이것의 핵심은 replace
전화입니다. 지금까지 제안 된 솔루션이 다음 경우를 모두 처리한다고 생각하지 않습니다.
- 정수 :
1000 => '1,000'
- 문자열 :
'1000' => '1,000'
- 문자열의 경우 :
- 소수점 이하 0을 유지합니다.
10000.00 => '10,000.00'
- 소수점 앞에 0을 버리십시오.
'01000.00 => '1,000.00'
- 소수점 이하에 쉼표를 추가하지 않습니다.
'1000.00000' => '1,000.00000'
- 선행
-
또는 유지 +
:'-1000.0000' => '-1,000.000'
- 비 숫자가 포함 된 수정되지 않은 문자열을 반환합니다.
'1000k' => '1000k'
다음 기능은 위의 모든 기능을 수행합니다.
addCommas = function(input){
// If the regex doesn't match, `replace` returns the string unmodified
return (input.toString()).replace(
// Each parentheses group (or 'capture') in this regex becomes an argument
// to the function; in this case, every argument after 'match'
/^([-+]?)(0?)(\d+)(.?)(\d+)$/g, function(match, sign, zeros, before, decimal, after) {
// Less obtrusive than adding 'reverse' method on all strings
var reverseString = function(string) { return string.split('').reverse().join(''); };
// Insert commas every three characters from the right
var insertCommas = function(string) {
// Reverse, because it's easier to do things from the left
var reversed = reverseString(string);
// Add commas every three characters
var reversedWithCommas = reversed.match(/.{1,3}/g).join(',');
// Reverse again (back to normal)
return reverseString(reversedWithCommas);
};
// If there was no decimal, the last capture grabs the final digit, so
// we have to put it back together with the 'before' substring
return sign + (decimal ? insertCommas(before) + decimal + after : insertCommas(before + after));
}
);
};
다음과 같이 jQuery 플러그인에서 사용할 수 있습니다.
$.fn.addCommas = function() {
$(this).each(function(){
$(this).text(addCommas($(this).text()));
});
};