php加密解密实用类分享

加密和解密是一项常规任务,这里介绍一个加解密类。如果你想在用户忘记密码时为他或她找回原来的密码,那么这个类是个好用的工具.

用户注册的密码一般不会明文保存,总得加个密先。最简单的当然是在数据库sql语句中调用md5函数加密用户密码。这里介绍一个加解密类。如果你想在用户忘记密码时为他或她找回原来的密码,那么这个类是个好用的工具。当然,这个加解密类也可用于其他用途。

  1. <?php
  2. class crypt {
  3. private $skey;
  4. public function __construct($key) {
  5. $this->skey = hash("md5", $key, true); //32位skey
  6. }
  7. public function safe_b64encode($string) {
  8. $data = base64_encode($string);
  9. $data = str_replace(array('+', '/', '='), array('-', '_', ''), $data);
  10. return $data;
  11. }
  12. public function safe_b64decode($string) {
  13. $data = str_replace(array('-', '_'), array('+', '/'), $string);
  14. $mod4 = strlen($data) % 4;
  15. if ($mod4) {
  16. $data .= substr('====', $mod4);
  17. }
  18. return base64_decode($data);
  19. }
  20. public function encode($value) {
  21. if (!$value) {
  22. return false;
  23. }
  24. $text = $value;
  25. $iv_size = mcrypt_get_iv_size(MCRYPT_RIJNDAEL_256, MCRYPT_MODE_ECB);
  26. $iv = mcrypt_create_iv($iv_size, MCRYPT_RAND);
  27. $crypttext = mcrypt_encrypt(MCRYPT_RIJNDAEL_256, $this->skey, $text, MCRYPT_MODE_ECB, $iv);
  28. return trim($this->safe_b64encode($crypttext));
  29. }
  30. public function decode($value) {
  31. if (!$value) {
  32. return false;
  33. } //phpfensi.com
  34. $crypttext = $this->safe_b64decode($value);
  35. $iv_size = mcrypt_get_iv_size(MCRYPT_RIJNDAEL_256, MCRYPT_MODE_ECB);
  36. $iv = mcrypt_create_iv($iv_size, MCRYPT_RAND);
  37. $decrypttext = mcrypt_decrypt(MCRYPT_RIJNDAEL_256, $this->skey, $crypttext, MCRYPT_MODE_ECB, $iv);
  38. return trim($decrypttext);
  39. }
  40. }