str.php 2.5 KB

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