我正在开发一个允许用户加密多个文件的 java 应用程序。我正在使用带有 128 位密钥的 AES。我在这项工作中有以下问题:-
实现的 AES 算法仅适用于 .txt 文件,但不适用于任何其他文件类型,例如 Office 文档、图像等。我的问题是AES 是否适用于所有类型的数据或仅适用于文本文件?我搜索了很多,但我发现的所有示例都使用 .txt 文件。
目前我将文件的内容读入一个字符串,然后对其进行加密,然后将加密的字符串写回文件。我的问题是有没有办法在不读取文件内容的情况下加密文件?
有没有办法使用 AES 解密目录(文件夹)及其所有内容?通过“解密目录”,我的意思是它无法打开,并且在尝试打开它时会显示一些错误消息。
还可以编辑、删除、移动、复制和重命名加密文件。我希望没有人可以对我的应用程序加密的文件执行这些操作。这个怎么做?
以下是我正在使用的代码,但仅适用于 .txt 文件,不适用于其他文件。不知道是什么问题:
import java.io.File;
import java.io.FileInputStream;
import javax.crypto.Cipher;
import javax.crypto.KeyGenerator;
import javax.crypto.SecretKey;
import javax.crypto.spec.SecretKeySpec;
public class JavaCrypt
{
public static void main(String[] args) throws Exception {
File f=new File("D:/a.txt");
int ch;
StringBuffer strContent = new StringBuffer("");
FileInputStream fin = null;
try {
fin = new FileInputStream(f);
while ((ch = fin.read()) != -1)
strContent.append((char) ch);
fin.close();
}
catch (Exception e) {
System.out.println(e);
}
System.out.println("Original string: " +strContent.toString()+"\n");
// Get the KeyGenerator
KeyGenerator kgen = KeyGenerator.getInstance("AES");
kgen.init(128); // 192 and 256 bits may not be available
// Generate the secret key specs.
SecretKey skey = kgen.generateKey();
byte[] raw = skey.getEncoded();
SecretKeySpec skeySpec = new SecretKeySpec(raw, "AES");
// Instantiate the cipher
Cipher cipher = Cipher.getInstance("AES");
cipher.init(Cipher.ENCRYPT_MODE, skeySpec);
byte[] encrypted = cipher.doFinal(strContent.toString().getBytes());
System.out.println("encrypted string: " + encrypted.toString());
cipher.init(Cipher.DECRYPT_MODE, skeySpec);
byte[] original =cipher.doFinal(encrypted);
String originalString = new String(original);
System.out.println("Original string: " +originalString);
}
}