2016-04-12 33 views
6

我試圖解決這個問題,但我從來沒有找到適合我的解決方案。問題是我得到關於BASE64Encoder的警告。如果沒有BASE64Encoder,有沒有其他方法可以做到這一點?BASE64Encoder是內部API,可能會在未來版本中刪除

代碼:

public static String Encrypt(String Data) throws Exception 
{ 
    Key key = generateKey(); 
    Cipher c = Cipher.getInstance(ALGO); 
    c.init(Cipher.ENCRYPT_MODE, key); 
    byte[] encVal = c.doFinal(Data.getBytes()); 
    String encryptedValue = new BASE64Encoder().encode(encVal); //Here is the problem 

    return encryptedValue; 
} 

public static String Decrypt(String encryptedData) throws Exception 
{ 
    Key key = generateKey(); 
    Cipher c = Cipher.getInstance(ALGO); 
    c.init(Cipher.DECRYPT_MODE, key); 
    byte[] decordedValue = new BASE64Decoder().decodeBuffer(encryptedData); //Another problem 
    byte[] decValue = c.doFinal(decordedValue); 
    String decryptedValue = new String(decValue); 

    return decryptedValue; 
} 

private static Key generateKey() throws Exception 
{ 
    Key key = new SecretKeySpec(keyValue, ALGO); 
    return key; 
} 

回答

4

您現在應該使用的Base64編碼器和解碼器類(從Java 8日起)。從HERE採取

https://docs.oracle.com/javase/8/docs/api/java/util/Base64.html

import java.util.Base64; 
import java.util.UUID; 
import java.io.UnsupportedEncodingException; 

public class HelloWorld { 
    public static void main(final String... args) { 
     try { 
     // Encode using basic encoder 
     String base64encodedString = Base64.getEncoder().encodeToString("TutorialsPoint?java8".getBytes("utf-8")); 
     System.out.println("Base64 Encoded String (Basic) :" + base64encodedString); 

     // Decode 
     byte[] base64decodedBytes = Base64.getDecoder().decode(base64encodedString); 

     System.out.println("Original String: " + new String(base64decodedBytes, "utf-8")); 
     base64encodedString = Base64.getUrlEncoder().encodeToString("TutorialsPoint?java8".getBytes("utf-8")); 
     System.out.println("Base64 Encoded String (URL) :" + base64encodedString); 

     StringBuilder stringBuilder = new StringBuilder(); 

     for (int i = 0; i < 10; ++i) { 
      stringBuilder.append(UUID.randomUUID().toString()); 
     } 

     byte[] mimeBytes = stringBuilder.toString().getBytes("utf-8"); 
     String mimeEncodedString = Base64.getMimeEncoder().encodeToString(mimeBytes); 
     System.out.println("Base64 Encoded String (MIME) :" + mimeEncodedString); 

     } catch (UnsupportedEncodingException e) { 
     System.out.println("Error :" + e.getMessage()); 
     } 
    } 
} 

代碼。

相關問題