使用JavaScript将小写金额转化为大写金额的两种常见方法
// 方法一:使用正则表达式和字符映射
function convertCurrencyToChinese(currency) {
const nums = ['零', '壹', '贰', '叁', '肆', '伍', '陆', '柒', '捌', '玖'];
const units = ['分', '角', '元', '拾', '佰', '仟', '万', '拾', '佰', '仟', '亿', '拾', '佰', '仟'];
const str = currency.toString();
let result = '';
for (let i = 0; i < str.length; i++) {
result += nums[str[i]] + units[str.length - i - 1 + (i == 1 && str[0] == '1' ? 1 : 0)];
}
return result.replace(/零仟|零佰|零拾|零亿|零万|零角|零分/g, '零').replace(/零+/g, '零');
}
// 方法二:使用数组映射和循环
function convertCurrencyToChinese2(currency) {
const nums = ['零', '壹', '贰', '叁', '肆', '伍', '陆', '柒', '捌', '玖'];
const units = ['元', '拾', '佰', '仟', '万', '亿'];
let str = currency.toString();
let result = '';
for (let i = 0; i < str.length; i++) {
result += nums[str[i]] + (units[str.length - i - 1] || '');
}
return result.replace(/零仟|零佰|零拾|零亿|零万|零元|零角|零分/g, '零').replace(/零+/g, '零');
}
// 测试代码
console.log(convertCurrencyToChinese(123456789)); // 壹亿贰仟叁佰肆拾伍万陆仟柒佰捌拾玖
console.log(convertCurrencyToChinese2(123456789)); // 壹亿贰仟叁佰肆拾伍万陆仟柒佰捌拾玖
这两个函数都接收一个金额数字作为输入,并返回对应的大写金额字符串。第一个函数使用正则表达式和字符映射,第二个函数使用数组映射和循环。两种方法都处理了一些常见的数字组合,并且在结果字符串中替换了一些重复的“零”字。
评论已关闭