5

对于 PHP 中的自定义脚本解析器,我想替换包含双引号和单引号的多行字符串中的一些单词。但是,只能替换引号之外的文本。

Many apples are falling from the trees.    
"There's another apple over there!"    
'Seedling apples are an example of "extreme heterozygotes".'

例如,我想将 'apple' 替换为 'pear',但仅限于引用句子之外。所以在这种情况下,只有“许多苹果从树上掉下来”中的“苹果”才会成为目标。

以上将给出以下输出:

Many pears are falling from the trees.    
"There's another apple over there!"    
'Seedling apples are an example of "extreme heterozygotes".'

我怎样才能做到这一点?

4

4 回答 4

5

这个函数可以解决问题:

function str_replace_outside_quotes($replace,$with,$string){
    $result = "";
    $outside = preg_split('/("[^"]*"|\'[^\']*\')/',$string,-1,PREG_SPLIT_DELIM_CAPTURE);
    while ($outside)
        $result .= str_replace($replace,$with,array_shift($outside)).array_shift($outside);
    return $result;
}

它是如何工作的 它由带引号的字符串分割,但包括这些带引号的字符串,这使您可以在数组中交替使用未引用、引用、未引用、引用等字符串(一些未引用的字符串可能为空白)。然后它在替换单词和不替换之间交替,因此只替换未引用的字符串。

以你的例子

$text = "Many apples are falling from the trees.    
        \"There's another apple over there!\"    
        'Seedling apples are an example of \"extreme heterozygotes\".'";
$replace = "apples";
$with = "pears";
echo str_replace_outside_quotes($replace,$with,$text);

输出

Many pears are falling from the trees.    
"There's another apple over there!"    
'Seedling apples are an example of "extreme heterozygotes".'
于 2012-06-07T09:26:47.577 回答
1

我想出了这个:

function replaceOutsideDoubleQuotes($search, $replace, $string) {
    $out = '';
    $a = explode('"', $string);
    for ($i = 0; $i < count($a); $i++) {
        if ($i % 2) $out .= $a[$i] . '"';
        else $out .= str_replace($search, $replace, $a[$i]) . '"';
    }
    return substr($out, 0, -1);
}

逻辑是:你用双引号分解字符串,所以返回的字符串数组的奇数元素表示引号外的文本,偶数表示双引号内的文本。

因此,您可以通过交替连接原始部件和替换部件来构建输出,好吗?

这里的工作示例:http: //codepad.org/rsjvCE8s

于 2012-06-07T09:22:43.617 回答
0

只是一个想法:通过删除引用部分创建一个临时字符串,替换您需要的部分,然后添加您删除的引用部分。

于 2012-06-07T09:19:16.447 回答
0

你可以使用preg_replace,使用正则表达式替换“”里面的单词

$search  = array('/(?!".*)apple(?=.*")/i');
$replace = array('pear');
$string  = '"There\'s another apple over there!" Seedling apples are an example of "extreme heterozygotes".';

$string = preg_replace($search, $replace, $string);

您可以通过在 $search 中添加另一个 RegEx 和在 $replace 中添加另一个替换字符串来添加更多可能的可搜索对象

此 RegEx 使用前瞻和后瞻来确定搜索的字符串是否在“”内

于 2012-06-07T09:25:09.090 回答