/message-lib/src/main/java/fr/sewatech/formation/appserv/crypto/Crypter.java

https://bitbucket.org/hasalex/aj-jboss · Java · 71 lines · 55 code · 13 blank · 3 comment · 6 complexity · 3a568c41645277a9706cc29bed4d6018 MD5 · raw file

  1. package fr.sewatech.formation.appserv.crypto;
  2. import org.apache.log4j.Logger;
  3. import javax.crypto.BadPaddingException;
  4. import javax.crypto.Cipher;
  5. import javax.crypto.IllegalBlockSizeException;
  6. import javax.crypto.NoSuchPaddingException;
  7. import javax.crypto.spec.SecretKeySpec;
  8. import java.math.BigInteger;
  9. import java.nio.charset.StandardCharsets;
  10. import java.security.InvalidKeyException;
  11. import java.security.NoSuchAlgorithmException;
  12. /**
  13. * @author Alexis Hassler
  14. */
  15. public class Crypter {
  16. private final Logger logger = Logger.getLogger(Crypter.class);
  17. public static final String KEY = "jaas is the way";
  18. public static final String ALGO = "Blowfish";
  19. public String encode(String secret) {
  20. if (secret == null || secret.isEmpty()) {
  21. return "";
  22. }
  23. try {
  24. byte[] kbytes = "jaas is the way".getBytes(StandardCharsets.UTF_8);
  25. SecretKeySpec key = new SecretKeySpec(kbytes, "Blowfish");
  26. Cipher cipher = Cipher.getInstance("Blowfish");
  27. cipher.init(Cipher.ENCRYPT_MODE, key);
  28. byte[] encoding = cipher.doFinal(secret.getBytes(StandardCharsets.UTF_8));
  29. return toHex(encoding);
  30. } catch (NoSuchAlgorithmException | NoSuchPaddingException | InvalidKeyException | IllegalBlockSizeException | BadPaddingException e) {
  31. logger.error("Unable to encrypt the secret", e);
  32. return "****";
  33. }
  34. }
  35. private String toHex(byte[] encoding) {
  36. return new BigInteger(encoding).toString(16);
  37. }
  38. public String decode(String secret) {
  39. if (secret == null || secret.isEmpty()) {
  40. return "";
  41. }
  42. try {
  43. byte[] kbytes = KEY.getBytes(StandardCharsets.UTF_8);
  44. SecretKeySpec key = new SecretKeySpec(kbytes, ALGO);
  45. byte[] encoding = fromHex(secret);
  46. Cipher cipher = Cipher.getInstance("Blowfish");
  47. cipher.init(Cipher.DECRYPT_MODE, key);
  48. byte[] decode = cipher.doFinal(encoding);
  49. return new String(decode, StandardCharsets.UTF_8);
  50. } catch (NoSuchAlgorithmException | NoSuchPaddingException | InvalidKeyException | IllegalBlockSizeException | BadPaddingException e) {
  51. logger.error("Unable to decrypt the secret", e);
  52. return "****";
  53. }
  54. }
  55. private byte[] fromHex(String secret) {
  56. return new BigInteger(secret, 16).toByteArray();
  57. }
  58. }