我有代码显示我的推文。在推文中,图片显示为网址和链接。我想删除整个' WORD'如果是pic或链接。 PS我发现这里的线程与我正在寻找的线程很接近,但是没有产生我想要的效果。
如果它包含" http"或者" .pic"然后我想删除整个单词'。
这是我的代码:
<?php
$wordlist = array('http','pic');
$replaceWith = "";
/* Sample data */
$words = 'This tweet has a pic.twitter.com/00GeQ3zLub and a url http://www.mywebsite.com';
foreach ($wordlist as $v)
$words = clean($v, $words, $replaceWith);
function clean($word, $value, $replaceWith) {
return preg_replace("/\w*$word\w*/i", "$replaceWith ",trim($value));
}
echo $words;
?>
实际输出:此推文有.twitter.com / 00GeQ3zLub和网址://www.mywebsite.com
渴望结果:此推文有一个和一个网址
更新澄清:
我想删除没有空格的任何&#34;字符串&#34;包含&#34; .pic&#34;或者&#34; http&#34;。我不知道如何用正确的术语来解释它...但如果.pic.twitter.com / ia8akd在我的推文中,我希望整件事情都消失了。与包含&#34; http&#34;的任何内容相同。我想要整个&#39;字符串&#39;不见了。例如我的推文是&#34;这是我的网站:http://www.MyWebsite.com。很酷?&#34;我希望这显示为&#34;这是我的网站:非常酷?&#34;
答案 0 :(得分:2)
\w
与.
或:
不匹配。您应该匹配单词周围的所有连续非空白字符。
\S*(?:http|pic)\S*
这将删除任何以pic
开头的内容,但不是特定于网址。
正则表达式演示:https://regex101.com/r/qZ8tD3/1
PHP演示:https://eval.in/611103
PHP用法:
$wordlist = array('http','pic');
$replaceWith = "";
/* Sample data */
$words = 'This tweet has a pic.twitter.com/00GeQ3zLub and a url http://www.mywebsite.com';
foreach ($wordlist as $v)
$words = clean($v, $words, $replaceWith);
function clean($word, $value, $replaceWith) {
return preg_replace("/\S*$word\S*/i", "$replaceWith ",trim($value));
}
echo $words;
答案 1 :(得分:1)
你可以用这个......
$wordlist = array('http','pic');
$replaceWith = "";
/* Sample data */
$words = 'This tweet has a pic.twitter.com/00GeQ3zLub and a url http://www.mywebsite.com';
foreach ($wordlist as $v)
$words = clean($v, $words, $replaceWith);
function clean($word, $value, $replaceWith) {
$reg_exUrl = "/ (".$word.")(\:\/\/|.)[a-zA-Z0-9\-\.]+\.[a-zA-Z]{2,3}(\/\S*)?/ ";
return preg_replace($reg_exUrl,$replaceWith,trim($value));
}
echo $words;
?>
答案 2 :(得分:0)
我建议你首先修剪$value
,然后使用这样的函数:
function clean($word, $value, $replaceWith) {
$scan = preg_quote($word);
return preg_replace("#\\S{$scan}\\S#i", $replaceWith . ' ', $value);
}
这需要$ value来包含开头和结尾的空格,因此您可以:
$value = " {$value} ";
foreach ($words as $word) {
$value = clean($word, $value, $replaceWith);
}
$value = trim($value);
您还可以preg_split
$周围空格值并在结果数组上使用array_filter
,但此解决方案可能性能较差。
作为优化,如果所有单词具有相同的替换,那么您可以从单词数组中组合单个正则表达式:
// So [ 'http', '.pic' ] becomes '#\\S(http|\\.pic)\\S#i'
$regex = '#\\S('
. implode('|', array_map('preg_quote', $words))
. ')\\S#i';
$value = trim(preg_replace($regex, $replaceWith . ' ', " {$value} "));