将特定的字符串模式替换为html

时间:2013-02-13 10:39:16

标签: php html string replace preg-replace

对于我的股票市场聊天,我想将每个特定的字符串模式替换为html代码。 例如,如果我输入“b $ goog 780”,我希望将此字符串替换为:

Buy <a href="/stocks/goog">$goog</a> at 780 

如何使用preg_replace执行此特定任务?

3 个答案:

答案 0 :(得分:2)

$cmd='b $goog 780';

if(preg_match('/^([bs])\s+?\$(\w+?)\s+?(.+)$/i',$cmd,$res))
{
   switch($res[1])
   {
     case 'b': $cmd='buy';break;
     case 's': $cmd='sell';break;
   }
   $link=$cmd.' <a href="/stocks/'.$res[2].'">'.$res[2].'</a> at '.$res[3];
   echo $link;
}

答案 1 :(得分:0)

$stocks = array('$goog' => '<a href="/stocks/goog">$goog</a>',
                '$apple' => '<a href="/stocks/apple">$apple</a>');

// get the keys.
$keys = array_keys($stocks);

// get the values.
$values = array_values($stocks);

// replace
foreach($keys as &$key) {
        $key = '/\b'.preg_quote($key).'\b/';
}

// input string.    
$str = 'b $goog 780';

// do the replacement using preg_replace                
$str = preg_replace($keys,$values,$str);

答案 2 :(得分:0)

是否必须是preg_replace?使用preg_match,您可以提取字符串的组件并重新组合它们以形成您的链接:

<?php
$string = 'b $goog 780';
$pattern = '/(b \$([^\s]+) (\d+))/';
$matches = array();
preg_match($pattern, $string, $matches);
echo 'Buy <a href="/stocks/' . $matches[2] . '">$' . $matches[2] . '</a> at ' . $matches[3] ; // Buy <a href="/stocks/goog">$goog</a> at 780 

该模式正在寻找的是字母&#39; b&#39;后跟一个美元符号(\$ - 我们逃避美元,因为这是正则表达式中的特殊字符),然后是和每个角色,直到它到达一个空格([^\s]+),然后是一个空格,最后是任意数量的数字(\d+)。