php字符串与byte字节数组转化类示例

  1. <?php
  2. /**
  3. * byte数组与字符串转化类
  4. */
  5. class Bytes {
  6. /**
  7. * 转换一个String字符串为byte数组
  8. * @param $str 需要转换的字符串
  9. * @param $bytes 目标byte数组
  10. * @author Zikie
  11. */
  12. public static function getBytes($string) {
  13. $bytes = array();
  14. for($i = 0; $i < strlen($string); $i++){
  15. $bytes[] = ord($string[$i]);
  16. }
  17. return $bytes;
  18. }
  19. /**
  20. * 将字节数组转化为String类型的数据
  21. * @param $bytes 字节数组
  22. * @param $str 目标字符串
  23. * @return 一个String类型的数据
  24. */
  25. public static function toStr($bytes) {
  26. $str = '';
  27. foreach($bytes as $ch) {
  28. $str .= chr($ch);
  29. }
  30. return $str;
  31. }
  32. /**
  33. * 转换一个int为byte数组
  34. * @param $byt 目标byte数组
  35. * @param $val 需要转换的字符串
  36. *
  37. */
  38. public static function integerToBytes($val) {
  39. $byt = array();
  40. $byt[0] = ($val & 0xff);
  41. $byt[1] = ($val >> 8 & 0xff);
  42. $byt[2] = ($val >> 16 & 0xff);
  43. $byt[3] = ($val >> 24 & 0xff);
  44. return $byt;
  45. }
  46. /**
  47. * 从字节数组中指定的位置读取一个Integer类型的数据
  48. * @param $bytes 字节数组
  49. * @param $position 指定的开始位置
  50. * @return 一个Integer类型的数据
  51. */
  52. public static function bytesToInteger($bytes, $position) {
  53. $val = 0;
  54. $val = $bytes[$position + 3] & 0xff;
  55. $val <<= 8;
  56. $val |= $bytes[$position + 2] & 0xff;
  57. $val <<= 8;
  58. $val |= $bytes[$position + 1] & 0xff;
  59. $val <<= 8;
  60. $val |= $bytes[$position] & 0xff;
  61. return $val;
  62. }
  63. /**
  64. * 转换一个shor字符串为byte数组
  65. * @param $byt 目标byte数组
  66. * @param $val 需要转换的字符串
  67. *
  68. */
  69. public static function shortToBytes($val) {
  70. $byt = array();
  71. $byt[0] = ($val & 0xff);
  72. $byt[1] = ($val >> 8 & 0xff);
  73. return $byt;
  74. }
  75. /**
  76. * 从字节数组中指定的位置读取一个Short类型的数据。
  77. * @param $bytes 字节数组
  78. * @param $position 指定的开始位置
  79. * @return 一个Short类型的数据
  80. */
  81. public static function bytesToShort($bytes, $position) {
  82. $val = 0;
  83. $val = $bytes[$position + 1] & 0xFF;
  84. $val = $val << 8;
  85. $val |= $bytes[$position] & 0xFF;
  86. return $val;
  87. }
  88. }
  89. ?>