1

这是我的简单图像加密类,我在其中:

  1. 将图像从一个地方读入字节
  2. 加密这些字节
  3. 再次从这些加密字节创建图像

代码:

public class ImageEncrypt {

  Cipher cipher; 

  public static byte[] convertImageToByteArray(String sourcePath) {
    byte[] imageInByte = null;
    try{

      BufferedImage originalImage = ImageIO.read(new File(
      sourcePath));

      // convert BufferedImage to byte array
      ByteArrayOutputStream baos = new ByteArrayOutputStream();
      ImageIO.write(originalImage, "jpg", baos);
      baos.flush();
      imageInByte = baos.toByteArray();
      baos.close();
    }catch(Exception e){
      e.printStackTrace();
    }
    return imageInByte;
  }

  public static void convertByteArrayToImage(byte[] b , String path) {

    try{

      InputStream in = new ByteArrayInputStream(b);
      BufferedImage bImageFromConvert = ImageIO.read(in);

      ImageIO.write(bImageFromConvert, "jpg", new File(
      path));

    }catch(Exception e)
    {
      e.printStackTrace();
    }
  }


  public static void main(String args []){
    final String strPassword = "password12345678";

    SecretKeySpec initVector = new SecretKeySpec(strPassword.getBytes(), "AES");
    AlgorithmParameterSpec paramSpec = new IvParameterSpec(strPassword.getBytes()); 

    try{
      Cipher cipher = Cipher.getInstance("AES/CBC/PKCS5Padding"); 

      cipher.init(Cipher.ENCRYPT_MODE, initVector, paramSpec); 

      byte[] ecrypted = cipher.doFinal(convertImageToByteArray("C:/Users/user/Desktop/a.jpg"));

      convertByteArrayToImage(ecrypted,"C:/Users/user/user/enc.jpg");

      System.out.println("converted to encrypted file .... ");
    }catch(Exception e){
      e.printStackTrace();
    }
  }

现在,当我尝试从加密字节制作图像时,我在第三步遇到了问题。它抛出下面给出的异常:

java.lang.IllegalArgumentException: image == null!
    at javax.imageio.ImageTypeSpecifier.createFromRenderedImage(ImageTypeSpecifier.java:925)
    at javax.imageio.ImageIO.getWriter(ImageIO.java:1591)
    at javax.imageio.ImageIO.write(ImageIO.java:1520)
    at ImageEncrypt.convertByteArrayToImage(ImageEncrypt.java:55)
    at ImageEncrypt.main(ImageEncrypt.java:83)

我不知道我哪里出错了?我正在做同样的事情来将文件(文档,pdf等)转换为加密并且它工作正常(当然在这种情况下我使用不同的流类进行字节转换)但我无法理解为什么它在这里搞砸了?

4

1 回答 1

2

加密数据后,它不再是有效的图像文件。尝试ImageIO在加密数据上使用就像在记事本中打开加密文本文件的结果,并期望看到文本。

要获得Image,您需要在请求ImageIO读取数据之前对其进行解密。

完全不清楚您的convertByteArrayToImage方法的真正含义是什么 - 如果目的只是将字节写入文件,为什么还要通过Image?为什么不直接将字节转储到磁盘?它们已经是图像的加密表示 - 无需再次尝试将它们解释为图像。如果你想应用某种图像转换(例如,总是写出 JPEG,即使输入是 PNG),那么应该对未加密的数据进行。

(同样convertImageToByteArray,鉴于您磁盘上的文件开始,除非您想执行特定于图像的转换,否则将其作为图像加载是没有意义的。)

旁注:

  • 不要使用String.getBytes()不需要字符集的重载——它将使用平台默认编码,这意味着它不能跨平台移植
  • 您也将加密数据转换为 base64,但随后忽略了结果。为什么?
于 2013-01-17T07:39:36.863 回答