CTripleDES.cs 2.3 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586
  1. using System;
  2. using System.IO;
  3. using System.Security.Cryptography;
  4. using System.Text;
  5. namespace GCHR.Model
  6. {
  7. class CTripleDes
  8. {
  9. // define the triple des provider
  10. private readonly TripleDESCryptoServiceProvider _des =
  11. new TripleDESCryptoServiceProvider();
  12. // define the string handler
  13. private readonly UTF8Encoding _utf8 = new UTF8Encoding();
  14. // define the local property arrays
  15. private readonly byte[] _key;
  16. private readonly byte[] _iv;
  17. public CTripleDes(byte[] key, byte[] iv)
  18. {
  19. _key = key;
  20. _iv = iv;
  21. }
  22. public byte[] Encrypt(byte[] input)
  23. {
  24. return Transform(input,
  25. _des.CreateEncryptor(_key, _iv));
  26. }
  27. public byte[] Decrypt(byte[] input)
  28. {
  29. return Transform(input,
  30. _des.CreateDecryptor(_key, _iv));
  31. }
  32. public string Encrypt(string text)
  33. {
  34. var input = _utf8.GetBytes(text);
  35. var output = Transform(input,
  36. _des.CreateEncryptor(_key, _iv));
  37. return Convert.ToBase64String(output);
  38. }
  39. public string Decrypt(string text)
  40. {
  41. var input = Convert.FromBase64String(text);
  42. var output = Transform(input,
  43. _des.CreateDecryptor(_key, _iv));
  44. var des = _des.CreateDecryptor(_key, _iv);
  45. return _utf8.GetString(output);
  46. }
  47. private static byte[] Transform(byte[] input,
  48. ICryptoTransform cryptoTransform)
  49. {
  50. // create the necessary streams
  51. var memStream = new MemoryStream();
  52. var cryptStream = new CryptoStream(memStream,
  53. cryptoTransform, CryptoStreamMode.Write);
  54. // transform the bytes as requested
  55. cryptStream.Write(input, 0, input.Length);
  56. cryptStream.FlushFinalBlock();
  57. // Read the memory stream and
  58. // convert it back into byte array
  59. memStream.Position = 0;
  60. var result = memStream.ToArray();
  61. // close and release the streams
  62. memStream.Close();
  63. cryptStream.Close();
  64. // hand back the encrypted buffer
  65. return result;
  66. }
  67. }
  68. }