crypt.php 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112
  1. <?php namespace System;
  2. class Crypt {
  3. /**
  4. * The encryption cipher.
  5. *
  6. * @var string
  7. */
  8. public static $cipher = 'rijndael-256';
  9. /**
  10. * The encryption mode.
  11. *
  12. * @var string
  13. */
  14. public static $mode = 'cbc';
  15. /**
  16. * Encrypt a value using the MCrypt library.
  17. *
  18. * @param string $value
  19. * @return string
  20. */
  21. public static function encrypt($value)
  22. {
  23. // Seed the system random number generator if it is being used.
  24. if (($random = static::randomizer()) === MCRYPT_RAND)
  25. {
  26. mt_srand();
  27. }
  28. $iv = mcrypt_create_iv(static::iv_size(), $random);
  29. $value = mcrypt_encrypt(static::$cipher, static::key(), $value, static::$mode, $iv);
  30. return base64_encode($iv.$value);
  31. }
  32. /**
  33. * Decrypt a value using the MCrypt library.
  34. *
  35. * @param string $value
  36. * @return string
  37. */
  38. public static function decrypt($value)
  39. {
  40. $value = base64_decode($value, true);
  41. if ( ! $value)
  42. {
  43. throw new \Exception('Decryption error. Input value is not valid base64 data.');
  44. }
  45. // Extract the input vector from the value.
  46. $iv = substr($value, 0, static::iv_size());
  47. // Remove the input vector from the encrypted value.
  48. $value = substr($value, static::iv_size());
  49. return rtrim(mcrypt_decrypt(static::$cipher, static::key(), $value, static::$mode, $iv), "\0");
  50. }
  51. /**
  52. * Get the random number source that should be used for the OS.
  53. *
  54. * @return int
  55. */
  56. private static function randomizer()
  57. {
  58. if (defined('MCRYPT_DEV_URANDOM'))
  59. {
  60. return MCRYPT_DEV_URANDOM;
  61. }
  62. elseif (defined('MCRYPT_DEV_RANDOM'))
  63. {
  64. return MCRYPT_DEV_RANDOM;
  65. }
  66. else
  67. {
  68. return MCRYPT_RAND;
  69. }
  70. }
  71. /**
  72. * Get the application key from the application configuration file.
  73. *
  74. * @return string
  75. */
  76. private static function key()
  77. {
  78. if (is_null($key = Config::get('application.key')) or $key == '')
  79. {
  80. throw new \Exception("The encryption class can not be used without an encryption key.");
  81. }
  82. return $key;
  83. }
  84. /**
  85. * Get the input vector size for the cipher and mode.
  86. *
  87. * Different ciphers and modes use varying lengths of input vectors.
  88. *
  89. * @return int
  90. */
  91. private static function iv_size()
  92. {
  93. return mcrypt_get_iv_size(static::$cipher, static::$mode);
  94. }
  95. }