有没有办法解密使用
openssl -des3 enc命令。
究竟openssl如何使用密码和盐作为密钥?
最佳答案
OpenSSL的enc
实用程序对密码使用非标准(低质量)密钥派生算法。以下代码显示enc
实用程序如何在给定salt和密码的情况下生成密钥和初始化向量。请注意,指定了enc
选项时,-salt
将“ salt”值存储在加密文件中(这对安全性至关重要)。
public InputStream decrypt(InputStream is, byte[] password)
throws GeneralSecurityException, IOException
{
/* Parse the "salt" value from the stream. */
byte[] header = new byte[16];
for (int idx = 0; idx < header.length;) {
int n = is.read(header, idx, header.length - idx);
if (n < 0)
throw new EOFException("File header truncated.");
idx += n;
}
String magic = new String(header, 0, 8, "US-ASCII");
if (!"Salted__".equals(magic))
throw new IOException("Expected salt in header.");
/* Compute the key and IV with OpenSSL's non-standard method. */
SecretKey secret;
IvParameterSpec iv;
byte[] digest = new byte[32];
try {
MessageDigest md5 = MessageDigest.getInstance("MD5");
md5.update(password);
md5.update(header, 8, 8);
md5.digest(digest, 0, 16);
md5.update(digest, 0, 16);
md5.update(password);
md5.update(header, 8, 8);
md5.digest(digest, 16, 16);
iv = new IvParameterSpec(digest, 24, 8);
DESedeKeySpec keySpec = new DESedeKeySpec(digest);
SecretKeyFactory factory = SecretKeyFactory.getInstance("DESede");
secret = factory.generateSecret(keySpec);
}
finally {
Arrays.fill(digest, (byte) 0);
}
/* Initialize the cipher. */
Cipher cipher = Cipher.getInstance("DESede/CBC/PKCS5Padding");
cipher.init(Cipher.DECRYPT_MODE, secret, iv);
return new CipherInputStream(is, cipher);
}
该密钥和IV生成在
EVP_BytesToKey(3)
documentation.中进行了描述。enc
命令使用1
作为迭代count
(这是一个糟糕的主意,在我的enc
版本的手册页中被记录为错误)。 ),并以MD5作为摘要算法-一种“无效”算法。目前尚不清楚OpenSSL如何将文本密码转换为字节。我猜它使用默认的平台字符编码。因此,如果您使用的是
String
密码(不好,因为它不能“归零”),则只需调用password.getBytes()
将其转换为byte[]
。如果可以,请使用Java 6的
Console
或Swing的JPasswordField
之类的密码。它们返回一个数组,因此您可以在完成操作后从内存中“删除”密码:Arrays.fill(password, '\0');
关于java - Java中的openssl des3解密,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/759722/