text.php 2.4 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798
  1. <?php namespace System;
  2. class Text {
  3. /**
  4. * Limit the words in a string. Word integrity will be preserved.
  5. *
  6. * @param string $value
  7. * @param int $limit
  8. * @param string $end
  9. * @return string
  10. */
  11. public static function words($value, $limit, $end = '&#8230;')
  12. {
  13. if (trim($value) == '')
  14. {
  15. return $value;
  16. }
  17. preg_match('/^\s*+(?:\S++\s*+){1,'.$limit.'}/', $value, $matches);
  18. if (strlen($value) == strlen($matches[0]))
  19. {
  20. $end = '';
  21. }
  22. return rtrim($matches[0]).$end;
  23. }
  24. /**
  25. * Limit the number of characters in a string. Word integrity will be preserved.
  26. *
  27. * @param string $value
  28. * @param int $limit
  29. * @param string $end
  30. * @return string
  31. */
  32. public static function characters($value, $limit, $end = '&#8230;')
  33. {
  34. if (strlen($value) < $limit)
  35. {
  36. return $value;
  37. }
  38. // Replace new lines and whitespace in the string.
  39. $value = preg_replace("/\s+/", ' ', str_replace(array("\r\n", "\r", "\n"), ' ', $value));
  40. if (strlen($value) <= $limit)
  41. {
  42. return $value;
  43. }
  44. $out = '';
  45. foreach (explode(' ', trim($value)) as $val)
  46. {
  47. $out .= $val.' ';
  48. if (strlen($out) >= $limit)
  49. {
  50. $out = trim($out);
  51. return (strlen($out) == strlen($value)) ? $out : $out.$end;
  52. }
  53. }
  54. }
  55. /**
  56. * Censor a string.
  57. *
  58. * @param string $value
  59. * @param array $censored
  60. * @param string $replacement
  61. * @return string
  62. */
  63. public static function censor($value, $censored, $replacement = '####')
  64. {
  65. $value = ' '.$value.' ';
  66. // Assume the word will be book-ended by the following.
  67. $delim = '[-_\'\"`(){}<>\[\]|!?@#%&,.:;^~*+=\/ 0-9\n\r\t]';
  68. foreach ($censored as $word)
  69. {
  70. if ($replacement != '')
  71. {
  72. $value = preg_replace("/({$delim})(".str_replace('\*', '\w*?', preg_quote($word, '/')).")({$delim})/i", "\\1{$replacement}\\3", $value);
  73. }
  74. else
  75. {
  76. $value = preg_replace("/({$delim})(".str_replace('\*', '\w*?', preg_quote($word, '/')).")({$delim})/ie", "'\\1'.str_repeat('#', strlen('\\2')).'\\3'", $value);
  77. }
  78. }
  79. return trim($value);
  80. }
  81. }