在Java中将整数数组转换为base64的方法

时间:2018-11-04 15:23:59

标签: java base64 decode encode

方法String toBase64(Integer[] decimalCh)接受一个从0到63的整数数组,并基于base64表返回一个编码的字符串:

private static final char b64[] = {
      'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H',
      'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P',
      'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X',
      'Y', 'Z', 'a', 'b', 'c', 'd', 'e', 'f',
      'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n',
      'o', 'p', 'q', 'r', 's', 't', 'u', 'v',
      'w', 'x', 'y', 'z', '0', '1', '2', '3',
      '4', '5', '6', '7', '8', '9', '+', '/'
  };

我想实现该方法,以便每个整数与表中的索引字符匹配,例如:

Integer[] decChar = {37, 62, 37, 43, 0}
String result = toBase64(decChar);

输出:l + lrA

我尝试通过创建嵌套循环来实现它,但这似乎不是一种准确的方法

public static String toBase64(Integer[] decimalCh) {
      String result = "";
      for (int i = 0; i < decimalCh.length; i++) {
          for(int j = 0; j < b64.length; j++) {   
                  result += b64[j];

          }
      }
    return result; 

1 个答案:

答案 0 :(得分:0)

没有理由遍历b64表。只需在decimalCh中查找每个整数值的条目。另外,您应该使用StringBuilder而不是每次循环时都附加到字符串本身。这样的事情应该起作用:

public static String toBase64(Integer[] decimalCh) {
    StringBuilder result = new StringBuilder();
    for (Integer i : decimalCh) {
        result.append(b64[i]);
    }
    return result.toString();
}