str.php 2.2 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485
  1. <?php namespace System;
  2. class Str {
  3. /**
  4. * The default encoding.
  5. *
  6. * @var string
  7. */
  8. private static $encoding = 'UTF-8';
  9. /**
  10. * Convert HTML characters to entities.
  11. *
  12. * @param string $value
  13. * @return string
  14. */
  15. public static function entities($value)
  16. {
  17. return htmlentities($value, ENT_QUOTES, static::$encoding, false);
  18. }
  19. /**
  20. * Convert a string to lowercase.
  21. *
  22. * @param string $value
  23. * @return string
  24. */
  25. public static function lower($value)
  26. {
  27. return function_exists('mb_strtolower') ? mb_strtolower($value, static::$encoding) : strtolower($value);
  28. }
  29. /**
  30. * Convert a string to uppercase.
  31. *
  32. * @param string $value
  33. * @return string
  34. */
  35. public static function upper($value)
  36. {
  37. return function_exists('mb_strtoupper') ? mb_strtoupper($value, static::$encoding) : strtoupper($value);
  38. }
  39. /**
  40. * Convert a string to title case (ucwords).
  41. *
  42. * @param string $value
  43. * @return string
  44. */
  45. public static function title($value)
  46. {
  47. return (function_exists('mb_convert_case')) ? mb_convert_case($value, MB_CASE_TITLE, static::$encoding) : ucwords(strtolower($value));
  48. }
  49. /**
  50. * Generate a random alpha-numeric string.
  51. *
  52. * @param int $length
  53. * @return string
  54. */
  55. public static function random($length = 16)
  56. {
  57. // -----------------------------------------------------
  58. // Split the character pool into an array.
  59. // -----------------------------------------------------
  60. $pool = str_split('0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ', 1);
  61. // -----------------------------------------------------
  62. // Initialize the return value.
  63. // -----------------------------------------------------
  64. $value = '';
  65. // -----------------------------------------------------
  66. // Build the random string.
  67. // -----------------------------------------------------
  68. for ($i = 0; $i < $length; $i++)
  69. {
  70. $value .= $pool[mt_rand(0, 61)];
  71. }
  72. return $value;
  73. }
  74. }