3

可能重复:
为客户端加密 html 文件并在 Swing 应用程序中浏览它们

我正在开发一个swing应用程序,其中客户端必须访问本地存储在机器中的html文件,但我希望客户端不应该直接访问html文件,所以想使用java和Java应用程序加密html文件的整个文件夹我会编写硬代码来解密加密文件夹中的 html 文件。另外一件事应该可以在加密文件夹中进行更新,以便将来可以在客户端合并加密文件。

我被困在这里,对我的问题没有任何线索,对我的问题的任何帮助表示赞赏。

4

2 回答 2

2

-那么我会要求你使用CipherCipherInputStreamCipherOutputStream进行加密解密

-您可以遍历文件夹中的文件,然后对每个文件进行加密,同样您可以遍历文件夹中的文件进行解密。

请参阅此链接:

http://www.flexiprovider.de/examples/ExampleCrypt.html

于 2012-11-21T07:23:27.740 回答
2

阅读此链接:

  • 将 AES 与 Java 技术结合使用(由于域是数字,因此无法正常使用链接):http://192.9.162.55/developer/technicalArticles/Security/AES/AES_v1.html

默认情况下,您最多可以使用 AES 128 位。

要使用 256 位 AES 密钥,您必须从此处下载并安装“Java Cryptography Extension (JCE) Unlimited Strength Jurisdiction Policy Files” 。

这是一个简单的例子,它使用 AES 加密和解密 java 中的字符串消息:

 import java.security.*;
   import javax.crypto.*;
   import javax.crypto.spec.*;
   import java.io.*;

   /**
   * This program generates a AES key, retrieves its raw bytes, and
   * then reinstantiates a AES key from the key bytes.
   * The reinstantiated key is used to initialize a AES cipher for
   * encryption and decryption.
   */

   public class AES {

     /**
     * Turns array of bytes into string
     *
     * @param buf   Array of bytes to convert to hex string
     * @return  Generated hex string
     */
     public static String asHex (byte buf[]) {
      StringBuffer strbuf = new StringBuffer(buf.length * 2);
      int i;

      for (i = 0; i < buf.length; i++) {
       if (((int) buf[i] & 0xff) < 0x10)
        strbuf.append("0");

       strbuf.append(Long.toString((int) buf[i] & 0xff, 16));
      }

      return strbuf.toString();
     }

     public static void main(String[] args) throws Exception {

       String message="This is just an example";

       // 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((args.length == 0 ?
          "This is just an example" : args[0]).getBytes());
       System.out.println("encrypted string: " + asHex(encrypted));

       cipher.init(Cipher.DECRYPT_MODE, skeySpec);
       byte[] original =
         cipher.doFinal(encrypted);
       String originalString = new String(original);
       System.out.println("Original string: " +
         originalString + " " + asHex(original));
     }
   }

上面的代码必须以这样一种方式进行修改,即您将加密文件读入StringBuffer/byte 数组等​​,取消加密它们(仅在内存中)完成所需的工作,然后重新加密StringBuffer/data/bytes 并将其写入文件。

另一个很棒的 Cryptographic API 是:

Bouncy Castle API 也有很多示例:

于 2012-11-21T07:25:13.980 回答