欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

验证字符串长度

程序员文章站 2022-03-11 14:49:55
...

String的getBytes()方法是得到一个字串的字节数组,这是众所周知的。但特别要注意的是,本方法将返回该操作系统默认的编码格式的字节数组。如果你在使用这个方法时不考虑到这一点,你会发现在一个平台上运行良好的系统,放到另外一台机器后会产生意想不到的问题。

String s = "Hello!你好!";    

System.out.println(s.getBytes().length);

在中文操作系统中返回结果可能为12,而在英文操作系统下为9.这是由于在中文操作系统中,getBytes方法返回的是一个GBK或者GB2312的中文编码的字节数组,其中中文字符,各占两个字节。而在英文平台中,一般的默认编码是“ISO-8859-1”,每个字符都只取一个字节(而不管是否非拉丁字符)。

解决方案为:

使用Unicode编码测试每个位置上的字符,从而区分出英文和中文,再统一计数。

1验证toHexString长度

public int byteLength(String string) {   
    int count = 0;   
    for (int i = 0; i < string.length(); i++) {   
     if (Integer.toHexString(string.charAt(i)).length() == 4) {   
      count += 2;   
     } else {   
      count++;   
     }   
    }   
    return count;   
   }   
  
 

  
  

2验证该位ASCII码是否大于255

public int byteLength(String string) {   
     int count = 0;   
     for (int i = 0; i < string.length(); i++) {   
      if (string.codePointAt(i)>255) {   
       count += 2;   
      } else {   
       count++;   
      }   
     }   
     return count;   
    } 

 

 
3 getBytes()指定编码方式

public int byteLength(String string) throws UnsupportedEncodingException {   
     int count = 0;   
     return string.getBytes("GBK").length;
    } 

 

  
  

相关标签: 字符串 长度