如何在不中断单词的情况下拆分长字符串?

2022-08-30 18:38:36

我正在寻找一些符合以下路线的东西

str_split_whole_word($longString, $x)

where 是句子的集合,是每行的字符长度。它可能相当长,我想基本上以数组的形式将其拆分为多行。$longString$x

例如:

$longString = 'I like apple. You like oranges. We like fruit. I like meat, also.';
$lines = str_split_whole_word($longString, $x);

所需输出:

$lines = Array(
    [0] = 'I like apple. You'
    [1] = 'like oranges. We'
    [2] = and so on...
)

答案 1

最简单的解决方案是在新行上使用 wordwrap()explode(),如下所示:

$array = explode( "\n", wordwrap( $str, $x));

其中是要将字符串包装在一起的字符数。$x


答案 2

此代码避免了中断单词,您将不会使用 wordwrap() 获取它。

最大长度是使用 定义的。我做过一些测试,它工作正常。$maxLineLength

$longString = 'I like apple. You like oranges. We like fruit. I like meat, also.';

$words = explode(' ', $longString);

$maxLineLength = 18;

$currentLength = 0;
$index = 0;

foreach ($words as $word) {
    // +1 because the word will receive back the space in the end that it loses in explode()
    $wordLength = strlen($word) + 1;

    if (($currentLength + $wordLength) <= $maxLineLength) {
        $output[$index] .= $word . ' ';
        $currentLength += $wordLength;
    } else {
        $index += 1;
        $currentLength = $wordLength;
        $output[$index] = $word;
    }
}