crypt.php 1.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293
  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. $iv = mcrypt_create_iv(static::iv_size(), static::randomizer());
  24. return base64_encode($iv.mcrypt_encrypt(static::$cipher, static::key(), $value, static::$mode, $iv));
  25. }
  26. /**
  27. * Get the random number source available to the OS.
  28. *
  29. * @return int
  30. */
  31. protected static function randomizer()
  32. {
  33. if (defined('MCRYPT_DEV_URANDOM'))
  34. {
  35. return MCRYPT_DEV_URANDOM;
  36. }
  37. elseif (defined('MCRYPT_DEV_RANDOM'))
  38. {
  39. return MCRYPT_DEV_RANDOM;
  40. }
  41. return MCRYPT_RAND;
  42. }
  43. /**
  44. * Decrypt a value using the MCrypt library.
  45. *
  46. * @param string $value
  47. * @return string
  48. */
  49. public static function decrypt($value)
  50. {
  51. if ( ! is_string($value = base64_decode($value, true)))
  52. {
  53. throw new \Exception('Decryption error. Input value is not valid base64 data.');
  54. }
  55. list($iv, $value) = array(substr($value, 0, static::iv_size()), substr($value, static::iv_size()));
  56. return rtrim(mcrypt_decrypt(static::$cipher, static::key(), $value, static::$mode, $iv), "\0");
  57. }
  58. /**
  59. * Get the application key from the application configuration file.
  60. *
  61. * @return string
  62. */
  63. private static function key()
  64. {
  65. if ( ! is_null($key = Config::get('application.key')) and $key !== '') return $key;
  66. throw new \Exception("The encryption class can not be used without an encryption key.");
  67. }
  68. /**
  69. * Get the input vector size for the cipher and mode.
  70. *
  71. * Different ciphers and modes use varying lengths of input vectors.
  72. *
  73. * @return int
  74. */
  75. private static function iv_size()
  76. {
  77. return mcrypt_get_iv_size(static::$cipher, static::$mode);
  78. }
  79. }