以下是Java 正则表达式的几个例子
(1)银行卡号每隔四位增加一个空格
- @Test
- public void test_formBankCard(){
- String input="6225880137706868";
- System.out.println("\""+input.replaceAll("([\\d]{4})", "$1 ")+"\"");
- }
运行结果:"6225 8801 3770 6868 "
弊端:最后多了一个空格
解决方案:
- @Test
- public void test_formBankCard(){
- String input="6225880137706868";
- System.out.println("\""+DigitUtil.formBankCard(input)+"\"");
- }
- /***
- *
- * @param input : 银行卡号,例如"6225880137706868"
- * @return
- */
- public static String formBankCard(String input){
- String result=input.replaceAll("([\\d]{4})(?=\\d)", "$1 ");
- return result;
- }
运行结果:"6225 8801 3770 6868"
(2)格式化数字
比如把1234567格式化为1,234,567
方式一:使用DecimalFormat
- @Test
- public void test_formatFileSize(){
- DecimalFormat df1 = (DecimalFormat) DecimalFormat.getInstance();
- df1.setGroupingSize(3);
- String result= df1.format(1234567);
- System.out.println(result);
- }
运行结果:1,234,567
方式二:使用正则表达式
- @Test
- public void test_digit(){
- String input="1234567";
- String regx="(?<=\\d)(\\d{3})";
- System.out.println(input.replaceAll(regx, ",$1"));
- }
运行结果:1,234,567
参考:http://www.cnblogs.com/etoah/p/4307510.html
时间: 2024-10-03 05:58:44