SecretKey的重生导致java中的不同键

时间:2015-05-23 19:04:47

标签: java encryption base64 secret-key

我正在尝试创建加密程序。但是,问题是当我尝试重新生成SecretKey时,我得到的密钥与加密密钥不同。

这是我用于测试目的的代码片段。

import com.sun.org.apache.xerces.internal.impl.dv.util.Base64;
import java.util.*;
import java.io.*;
import java.nio.charset.StandardCharsets;
import javax.crypto.*;
import javax.crypto.spec.SecretKeySpec;

class Test
{
    static void My_Get_Key() throws Exception
    {
    String temp;
    File f=new File("/home/mandar/Desktop/key.txt");
    Scanner sc=new Scanner(f);
    temp=sc.nextLine();

    byte[] sk=Base64.decode(temp);
    //byte[] sk=temp.getBytes();
    //byte[] sk=temp.getBytes(StandardCharsets.ISO_8859_1);
     SecretKey OriginalKey=new SecretKeySpec(sk,0,sk.length,"AES");
     System.out.println("Decrypt Key is "+OriginalKey.toString());
     //return OriginalKey;

    }
 static void My_Key_Generate() throws Exception
 {
KeyGenerator key=KeyGenerator.getInstance("AES");
key.init(128);
SecretKey sk=key.generateKey();
System.out.println("Encrypt Key is "+sk.toString());
BufferedWriter wt = new BufferedWriter(new FileWriter("/home/mandar/Desktop/key.txt"));
String KeyString =sk.toString();
    byte[] bytekey= KeyString.getBytes();
    String WriteKey= Base64.encode(bytekey);
wt.write(sk.toString()); 
wt.flush();
wt.close();
//return sk;

 }
  public static void main(String[] args) throws Exception
  {
    My_Key_Generate();
    My_Get_Key();
  }
 }

请帮助。

PS:我试图通过将生成的密钥转换为字符串并将其写入文件并使用相同的文件来检索字符串并再次重新生成密钥来存储生成的密钥。

1 个答案:

答案 0 :(得分:2)

问题在于" sk.toString()"不提供密钥的内容。

你需要调用" sk.getEncoded()"。请注意,它将返回一个字节数组,而不是String。

将该字节数组的内容写入文件并将其读回。

尝试使用此修改后的代码,使用" getEncoded()":

import java.util.*;
import java.nio.file.Files;
import java.nio.file.Paths;

import javax.crypto.*;
import javax.crypto.spec.SecretKeySpec;

class Test {

    static void My_Get_Key() throws Exception {
        byte[] sk = Files.readAllBytes(Paths.get("/home/mandar/Desktop/key.txt"));
        SecretKey OriginalKey = new SecretKeySpec(sk, 0, sk.length, "AES");
        System.out.println("Decrypt Key is " + Arrays.toString(OriginalKey.getEncoded()));
    }

    static void My_Key_Generate() throws Exception {
        KeyGenerator key = KeyGenerator.getInstance("AES");
        key.init(128);
        SecretKey sk = key.generateKey();
        System.out.println("Encrypt Key is " + Arrays.toString(sk.getEncoded()));
        Files.write(Paths.get("/home/mandar/Desktop/key.txt"), sk.getEncoded());
    }

    public static void main(String[] args) throws Exception {
        My_Key_Generate();
        My_Get_Key();
    }

}