📅  最后修改于: 2020-11-15 03:45:06             🧑  作者: Mango
使用/生成的密钥和证书存储在称为密钥库的数据库中。默认情况下,此数据库存储在名为.keystore的文件中。
您可以使用java.security包的KeyStore类访问此数据库的内容。这管理三个不同的条目,即PrivateKeyEntry,SecretKeyEntry,TrustedCertificateEntry。
在本部分中,我们将学习如何在密钥库中存储密钥。要将密钥存储在密钥库中,请遵循以下步骤。
java.security包的KeyStore类的getInstance()方法接受一个表示密钥库类型的字符串值,并返回一个KeyStore对象。
如下所示,使用getInstance()方法创建KeyStore类的对象。
//Creating the KeyStore object
KeyStore keyStore = KeyStore.getInstance("JCEKS");
KeyStore类的load()方法接受代表密钥库文件的FileInputStream对象和指定密钥库密码的String参数。
通常,密钥库存储在名为cacerts的文件中,位于位置C:/ Program Files / Java / jre1.8.0_101 / lib / security /中,其默认密码为changeit ,如图所示,使用load()方法加载它下面。
//Loading the KeyStore object
char[] password = "changeit".toCharArray();
String path = "C:/Program Files/Java/jre1.8.0_101/lib/security/cacerts";
java.io.FileInputStream fis = new FileInputStream(path);
keyStore.load(fis, password);
如下所示实例化KeyStore.ProtectionParameter。
//Creating the KeyStore.ProtectionParameter object
KeyStore.ProtectionParameter protectionParam = new KeyStore.PasswordProtection(password);
通过实例化其子类SecretKeySpec来创建SecretKey (接口)对象。实例化时,您需要将密码和算法作为参数传递给其构造函数,如下所示。
//Creating SecretKey object
SecretKey mySecretKey = new SecretKeySpec(new String(keyPassword).getBytes(), "DSA");
通过传递在上述步骤中创建的SecretKey对象,创建SecretKeyEntry类的对象,如下所示。
//Creating SecretKeyEntry object
KeyStore.SecretKeyEntry secretKeyEntry = new KeyStore.SecretKeyEntry(mySecretKey);
KeyStore类的setEntry()方法接受一个表示密钥库条目别名的String参数,一个SecretKeyEntry对象,一个ProtectionParameter对象,并将该条目存储在给定别名下。
如下所示,使用setEntry()方法将条目设置为密钥库。
//Set the entry to the keystore
keyStore.setEntry("secretKeyAlias", secretKeyEntry, protectionParam);
例
以下示例将密钥存储到“证书”文件中存在的密钥库中(Windows 10操作系统)。
import java.io.FileInputStream;
import java.security.KeyStore;
import javax.crypto.SecretKey;
import javax.crypto.spec.SecretKeySpec;
public class StoringIntoKeyStore{
public static void main(String args[]) throws Exception {
//Creating the KeyStore object
KeyStore keyStore = KeyStore.getInstance("JCEKS");
//Loading the KeyStore object
char[] password = "changeit".toCharArray();
String path = "C:/Program Files/Java/jre1.8.0_101/lib/security/cacerts";
java.io.FileInputStream fis = new FileInputStream(path);
keyStore.load(fis, password);
//Creating the KeyStore.ProtectionParameter object
KeyStore.ProtectionParameter protectionParam = new KeyStore.PasswordProtection(password);
//Creating SecretKey object
SecretKey mySecretKey = new SecretKeySpec("myPassword".getBytes(), "DSA");
//Creating SecretKeyEntry object
KeyStore.SecretKeyEntry secretKeyEntry = new KeyStore.SecretKeyEntry(mySecretKey);
keyStore.setEntry("secretKeyAlias", secretKeyEntry, protectionParam);
//Storing the KeyStore object
java.io.FileOutputStream fos = null;
fos = new java.io.FileOutputStream("newKeyStoreName");
keyStore.store(fos, password);
System.out.println("data stored");
}
}
输出
上面的程序生成以下输出-
System.out.println("data stored");