Java Cryptography 简明教程
Java Cryptography - Encrypting Data
您可以使用 javax.crypto 包的 Cipher 类加密给定数据。按照以下步骤使用 Java 加密给定数据。
Step 1: Create a KeyPairGenerator object
KeyPairGenerator 类提供了 getInstance() 方法,该方法接受一个表示所需密钥生成算法的 String 变量,并返回一个生成密钥的 KeyPairGenerator 对象。
使用 getInstance() 方法创建 KeyPairGenerator 对象,如下所示。
//Creating KeyPair generator object
KeyPairGenerator keyPairGen = KeyPairGenerator.getInstance("DSA");
Step 2: Initialize the KeyPairGenerator object
KeyPairGenerator 类提供一个名为 initialize() 的方法,此方法用于初始化密钥对生成器。此方法接受一个表示密钥大小的整数值。
使用 initialize() 方法初始化在前一步中创建的 KeyPairGenerator 对象,如下所示。
//Initializing the KeyPairGenerator
keyPairGen.initialize(2048);
Step 3: Generate the KeyPairGenerator
您可以使用 KeyPairGenerator 类的 generateKeyPair() 方法生成 KeyPair 。使用此方法生成密钥对,如下所示。
//Generate the pair of keys
KeyPair pair = keyPairGen.generateKeyPair();
Step 4: Get the public key
您可以使用 getPublic() 方法从生成的 KeyPair 对象中获取公钥,如下所示。
使用此方法获取公钥,如下所示。
//Getting the public key from the key pair
PublicKey publicKey = pair.getPublic();
Step 5: Create a Cipher object
Cipher 类的 getInstance() 方法接受一个表示所需转换的 String 变量,并返回实现给定转换的 Cipher 对象。
使用 getInstance() 方法创建 Cipher 对象,如下所示。
//Creating a Cipher object
Cipher cipher = Cipher.getInstance("RSA/ECB/PKCS1Padding");
Step 6: Initialize the Cipher object
Cipher 类的 init() 方法接受两个参数,一个表示操作模式(加密/解密)的整型参数,以及一个表示公钥的 Key 对象。
使用 init() 方法初始化 Cypher 对象,如下所示。
//Initializing a Cipher object
cipher.init(Cipher.ENCRYPT_MODE, publicKey);
Step 7: Add data to the Cipher object
Cipher 类的 update() 方法接受一个表示要加密的数据的字节数组,并使用给定的数据更新当前对象。
通过以字节数组的形式将数据传递给 update() 方法,更新初始化的 Cipher 对象,如下所示。
//Adding data to the cipher
byte[] input = "Welcome to Tutorialspoint".getBytes();
cipher.update(input);
Step 8: Encrypt the data
Cipher 类的 doFinal() 方法完成加密操作。因此,使用此方法完成加密,如下所示。
//Encrypting the data
byte[] cipherText = cipher.doFinal();
Example
下面的 Java 程序接受来自用户的文本,使用 RSA 算法对其进行加密,并打印给定文本的加密格式。
import java.security.KeyPair;
import java.security.KeyPairGenerator;
import java.security.Signature;
import javax.crypto.BadPaddingException;
import javax.crypto.Cipher;
public class CipherSample {
public static void main(String args[]) throws Exception{
//Creating a Signature object
Signature sign = Signature.getInstance("SHA256withRSA");
//Creating KeyPair generator object
KeyPairGenerator keyPairGen = KeyPairGenerator.getInstance("RSA");
//Initializing the key pair generator
keyPairGen.initialize(2048);
//Generating the pair of keys
KeyPair pair = keyPairGen.generateKeyPair();
//Creating a Cipher object
Cipher cipher = Cipher.getInstance("RSA/ECB/PKCS1Padding");
//Initializing a Cipher object
cipher.init(Cipher.ENCRYPT_MODE, pair.getPublic());
//Adding data to the cipher
byte[] input = "Welcome to Tutorialspoint".getBytes();
cipher.update(input);
//encrypting the data
byte[] cipherText = cipher.doFinal();
System.out.println(new String(cipherText, "UTF8"));
}
}