/src/main/java/com/edd/rubicon/service/MessageEncryption.java

https://bitbucket.org/2017edd/rubiconapplication · Java · 69 lines · 39 code · 6 blank · 24 comment · 0 complexity · 7584bf644b7c75a58e0a5493a2c7b4f4 MD5 · raw file

  1. package com.edd.rubicon.service;
  2. import javax.crypto.Cipher;
  3. import javax.crypto.spec.SecretKeySpec;
  4. import org.apache.tomcat.util.codec.binary.Base64;
  5. /**
  6. * Message encryption/decryption class
  7. * @author Erick Simonetti
  8. * 03/14/18
  9. */
  10. public class MessageEncryption {
  11. private String strKey;
  12. /**
  13. * Constructs the class with the given encryption key, key should be loaded from property file
  14. * @param strKey {String} encryption key
  15. */
  16. public MessageEncryption(String strKey) {
  17. this.strKey = strKey;
  18. }
  19. /**
  20. * Encrypts the given text using the key passed into the constructor, uses Blowfish
  21. * encryption
  22. * @precondition strClearText is not null
  23. * @postcondition returns encrypted String if successful, null if encryption failed
  24. * @param strClearText {String} string that will be encrypted
  25. * @return {String} encrypted string
  26. */
  27. public String encryptMessage(String strClearText) {
  28. String str = "";
  29. try {
  30. SecretKeySpec skeyspec=new SecretKeySpec(strKey.getBytes(),"Blowfish");
  31. Cipher cipher=Cipher.getInstance("Blowfish");
  32. cipher.init(Cipher.ENCRYPT_MODE, skeyspec);
  33. byte[] encrypted=cipher.doFinal(strClearText.getBytes());
  34. str = Base64.encodeBase64String(encrypted);
  35. } catch (Exception e) {
  36. e.printStackTrace();
  37. return null;
  38. }
  39. return str;
  40. }
  41. /**
  42. * Decrypt string passed into the method using the strKey passed into the constructor
  43. * @precondition encrypted is not null
  44. * @postcondition returns decrypted String if successfully decrypted, null if failed
  45. * @param encrypted {String} string to be decrypted
  46. * @return {String} decrypted string
  47. */
  48. public String decryptMessage(String encrypted){
  49. String strData="";
  50. try {
  51. SecretKeySpec skeyspec=new SecretKeySpec(strKey.getBytes(),"Blowfish");
  52. Cipher cipher=Cipher.getInstance("Blowfish");
  53. cipher.init(Cipher.DECRYPT_MODE, skeyspec);
  54. byte[] encryptedBytes = Base64.decodeBase64(encrypted);
  55. byte[] decrypted=cipher.doFinal(encryptedBytes);
  56. strData=new String(decrypted);
  57. } catch (Exception e) {
  58. e.printStackTrace();
  59. return null;
  60. }
  61. return strData;
  62. }
  63. }