3

我使用 php preg_match将变量中的第一个和最后一个单词与给定的第一个和最后一个特定单词匹配,

例子:

$first_word = 't'; // I want to force 'this'
$last_word = 'ne'; // I want to force 'done'
$str = 'this function can be done';

if(preg_match('/^' . $first_word . '(.*)' . $last_word .'$/' , $str))
{
     echo 'true';
}

但问题是我想强制匹配整个单词(开始和结束)而不是第一个或最后一个字符。

4

3 回答 3

3

我会以稍微不同的方式来解决这个问题:

$firstword = 't';
$lastword = 'ne';
$string = 'this function can be done';
$words = explode(' ', $string);
if (preg_match("/^{$firstword}/i", reset($words)) && preg_match("/{$lastword}$/i", end($words)))
{
    echo 'true';
}

===========================================

这是实现相同目标的另一种方法

$firstword = 'this';
$lastword = 'done';
$string = 'this can be done';
$words = explode(' ', $string);

if (reset($words) === $firstword && end($words) === $lastword)
{
    echo 'true';
}

这总是会回显真,因为我们知道第一个字和最后一个字是正确的,尝试将它们更改为其他内容,它不会回显真。

于 2012-07-15T07:21:44.793 回答
3

在搜索中使用\b作为边界字数限制:

$first_word = 't'; // I want to force 'this'
$last_word = 'ne'; // I want to force 'done'
$str = 'this function can be done';
if(preg_match('/^' . $first_word . '\b(.*)\b' . $last_word .'$/' , $str))
{
     echo 'true';
}
于 2012-07-15T07:45:56.327 回答
0

我写了一个函数来获取句子的开头,但它不是任何正则表达式。
你可以这样写。最后我没有添加功能,因为它很长......

<?php
function StartSearch($start, $sentence)
{
    $data = explode(" ", $sentence);
    $flag = false;
    $ret = array();
    foreach ($data as $val)
    {
        for($i = 0, $j = 0;$i < strlen($val), $j < strlen($start);$i++)
        {
            if ($i == 0 && $val{$i} != $start{$j})
                break;

            if ($flag && $val{$i} != $start{$j})
                break;

            if ($val{$i} == $start{$j})
            {
                $flag = true;
                $j++;
            }
        }

        if ($j == strlen($start))
        {
            $ret[] = $val;
        }
    }
    return $ret;
}

print_r(StartSearch("th", $str));

?>
于 2012-07-15T08:14:09.830 回答