How do I, from an output, only select the first 10 words?
-
You might find [`s($str)->words(10)`](https://github.com/delight-im/PHP-Str/blob/8fd0c608d5496d43adaa899642c1cce047e076dc/src/Str.php#L363) helpful, as found in [this standalone library](https://github.com/delight-im/PHP-Str). – caw Jul 27 '16 at 00:43
12 Answers
implode(' ', array_slice(explode(' ', $sentence), 0, 10));
To add support for other word breaks like commas and dashes, preg_match
gives a quick way and doesn't require splitting the string:
function get_words($sentence, $count = 10) {
preg_match("/(?:\w+(?:\W+|$)){0,$count}/", $sentence, $matches);
return $matches[0];
}
As Pebbl mentions, PHP doesn't handle UTF-8 or Unicode all that well, so if that is a concern then you can replace \w
for [^\s,\.;\?\!]
and \W
for [\s,\.;\?\!]
.

- 40,173
- 4
- 42
- 51
-
This worked great for me. I needed to display only the first 5 sentences however so I switched the 10 to a 5, then switched the ' ' to '. ' in the implode and explode and it worked just fine. I did have to put a period after I displayed the text because the last period was omitted. Thank you. – NotJay Nov 21 '13 at 18:19
-
Nice update, +1 for avoiding the splitting (and using regular expressions!). You'll want to watch out for those word boundaries however, as per my updated answer. – Pebbl Apr 02 '15 at 23:34
-
1It's unfortunate that PHP still hasn't figured out how to handle Unicode -- thanks for the info, I've updated my answer. – Kelly Apr 03 '15 at 14:25
-
thank you very much!!, this worked on my site with WPIMPORTALL to only select the first 6 letters. Also that Unicode, was an excellent add!! wonderful – ingalcala Feb 28 '16 at 21:44
-
How return 10 worlds if our string have `
`? this not work with string that html on theme...
– Mostafa Sep 13 '18 at 11:30 -
You're going to have to strip the html out of the string. Try using `strip_tags`. – Kelly Sep 19 '18 at 18:48
Simply splitting on spaces will function incorrectly if there is an unexpected character in place of a space in the sentence structure, or if the sentence contains multiple conjoined spaces.
The following version will work no matter what kind of "space" you use between words and can be easily extended to handle other characters... it currently supports any white space character plus , . ; ? !
function get_snippet( $str, $wordCount = 10 ) {
return implode(
'',
array_slice(
preg_split(
'/([\s,\.;\?\!]+)/',
$str,
$wordCount*2+1,
PREG_SPLIT_DELIM_CAPTURE
),
0,
$wordCount*2-1
)
);
}
Regular expressions are perfect for this issue, because you can easily make the code as flexible or strict as you like. You do have to be careful however. I specifically approached the above targeting the gaps between words — rather than the words themselves — because it is rather difficult to state unequivocally what will define a word.
Take the \w
word boundary, or its inverse \W
. I rarely rely on these, mainly because — depending on the software you are using (like certain versions of PHP) — they don't always include UTF-8 or Unicode characters.
In regular expressions it is better to be specific, at all times. So that your expressions can handle things like the following, no matter where they are rendered:
echo get_snippet('Это не те дроиды, которые вы ищете', 5);
/// outputs: Это не те дроиды, которые
Avoiding splitting could be worthwhile however, in terms of performance. So you could use Kelly's updated approach but switch \w
for [^\s,\.;\?\!]+
and \W
for [\s,\.;\?\!]+
. Although, personally I like the simplicity of the splitting expression used above, it is easier to read and therefore modify. The stack of PHP functions however, is a bit ugly :)
-
3+1 Why was this at 0 votes? It's a better solution than the other answers. Although, people shouldn't be using camel case in PHP. – Farzher Sep 20 '12 at 20:27
-
@StephenSarcsamKamenar thanks... and good point, I'd been doing too much javascripting that day :) – Pebbl Oct 13 '12 at 10:23
-
I do agree with @StephenSarcsamKamenar's question! I suppose that there are two much answers here. It is a duty of the one that made the question to update the right answer. This is the best for me: +1 with no doubt! – JeanValjean Dec 05 '12 at 08:34
-
Great answer. However, I would like to add to the answer that you may need to user `trim()` around your `$str` before you process it. This way you eliminate any whitespace in the corners. This would help if you want to check whether you want to add ellipses to the end of the string if the resulting string is a subset of the original. – Greeso May 04 '16 at 17:08
-
I think the above snippet can be slightly optimized by replacing "$str, $wordCount*2+1" with "$str, $wordCount+1" as the counting of the chunks resulted does not include the splitting characters/words. – Alex Nov 22 '21 at 13:30
http://snipplr.com/view/8480/a-php-function-to-return-the-first-n-words-from-a-string/
function shorten_string($string, $wordsreturned)
{
$retval = $string; // Just in case of a problem
$array = explode(" ", $string);
/* Already short enough, return the whole thing*/
if (count($array)<=$wordsreturned)
{
$retval = $string;
}
/* Need to chop of some words*/
else
{
array_splice($array, $wordsreturned);
$retval = implode(" ", $array)." ...";
}
return $retval;
}

- 46,820
- 25
- 86
- 129
I suggest to use str_word_count
:
<?php
$str = "Lorem ipsum dolor sit amet,
consectetur adipiscing elit";
print_r(str_word_count($str, 1));
?>
The above example will output:
Array
(
[0] => Lorem
[1] => ipsum
[2] => dolor
[3] => sit
[4] => amet
[5] => consectetur
[6] => adipiscing
[7] => elit
)
The use a loop to get the words you want.
Source: http://php.net/str_word_count

- 3,668
- 2
- 17
- 27
To select 10 words of the given text you can implement following function:
function first_words($text, $count=10)
{
$words = explode(' ', $text);
$result = '';
for ($i = 0; $i < $count && isset($words[$i]); $i++) {
$result .= $words[$i];
}
return $result;
}

- 3,464
- 3
- 27
- 39
This might help you. Function to return N no. of words
public function getNWordsFromString($text,$numberOfWords = 6)
{
if($text != null)
{
$textArray = explode(" ", $text);
if(count($textArray) > $numberOfWords)
{
return implode(" ",array_slice($textArray, 0, $numberOfWords))."...";
}
return $text;
}
return "";
}
}

- 99
- 3
Try this
$str = 'Lorem ipsum dolor sit amet,consectetur adipiscing elit. Mauris ornare luctus diam sit amet mollis.';
$arr = explode(" ", str_replace(",", ", ", $str));
for ($index = 0; $index < 10; $index++) {
echo $arr[$index]. " ";
}
I know this is not time to answer , but let the new comers choose their own answers.

- 326
- 1
- 5
- 27
function get_first_num_of_words($string, $num_of_words)
{
$string = preg_replace('/\s+/', ' ', trim($string));
$words = explode(" ", $string); // an array
// if number of words you want to get is greater than number of words in the string
if ($num_of_words > count($words)) {
// then use number of words in the string
$num_of_words = count($words);
}
$new_string = "";
for ($i = 0; $i < $num_of_words; $i++) {
$new_string .= $words[$i] . " ";
}
return trim($new_string);
}
Use it like this:
echo get_first_num_of_words("Lorem ipsum dolor sit amet consectetur adipisicing elit. Aliquid, illo?", 5);
Output: Lorem ipsum dolor sit amet
This function also works very well with unicode characters like Arabic characters.
echo get_first_num_of_words("نموذج لنص عربي الغرض منه توضيح كيف يمكن استخلاص أول عدد معين من الكلمات الموجودة فى نص معين.", 100);
Output: نموذج لنص عربي الغرض منه توضيح كيف يمكن استخلاص أول عدد معين من الكلمات الموجودة فى نص معين.

- 4,809
- 6
- 46
- 60
It is totally what we are searching Just cut n pasted into your program and ran.
function shorten_string($string, $wordsreturned)
/* Returns the first $wordsreturned out of $string. If string
contains fewer words than $wordsreturned, the entire string
is returned.
*/
{
$retval = $string; // Just in case of a problem
$array = explode(" ", $string);
if (count($array)<=$wordsreturned)
/* Already short enough, return the whole thing
*/
{
$retval = $string;
}
else
/* Need to chop of some words
*/
{
array_splice($array, $wordsreturned);
$retval = implode(" ", $array)." ...";
}
return $retval;
}
and just call the function in your block of code just as
$data_itr = shorten_string($Itinerary,25);

- 2,193
- 1
- 17
- 29
I do it this way:
function trim_by_words($string, $word_count = 10) {
$string = explode(' ', $string);
if (empty($string) == false) {
$string = array_chunk($string, $word_count);
$string = $string[0];
}
$string = implode(' ', $string);
return $string;
}
Its UTF8 compatible...

- 161
- 1
- 5
This might help you. Function to return 10 no. of words
.
function num_of_word($text,$numb) {
$wordsArray = explode(" ", $text);
$parts = array_chunk($wordsArray, $numb);
$final = implode(" ", $parts[0]);
if(isset($parts[1]))
$final = $final." ...";
return $final;
return;
}
echo num_of_word($text, 10);

- 9,220
- 9
- 44
- 63

- 698
- 2
- 8
- 17