Symfony1 有一个名为 的辅助函数auto_link_text()
,它解析文本块并将所有文本 URL 包装在<a>
标签中,自动填充href
属性。
Twig 是否包含这样的功能?我在谷歌上查看过代码,但找不到。我显然可以自己编写一个代码,但如果它已经存在,我不想复制它。
如果我自己编写一个代码,它应该是一个函数还是一个过滤器?
该函数在 twig 中不存在,但您甚至可以将自己的扩展添加到 Twig :
class AutoLinkTwigExtension extends \Twig_Extension
{
public function getFilters()
{
return array('auto_link_text' => new \Twig_Filter_Method($this, 'auto_link_text', array('is_safe' => array('html'))),
);
}
public function getName()
{
return "auto_link_twig_extension";
}
static public function auto_link_text($string)
{
$regexp = "/(<a.*?>)?(https?)?(:\/\/)?(\w+\.)?(\w+)\.(\w+)(<\/a.*?>)?/i";
$anchorMarkup = "<a href=\"%s://%s\" target=\"_blank\" >%s</a>";
preg_match_all($regexp, $string, $matches, \PREG_SET_ORDER);
foreach ($matches as $match) {
if (empty($match[1]) && empty($match[7])) {
$http = $match[2]?$match[2]:'http';
$replace = sprintf($anchorMarkup, $http, $match[0], $match[0]);
$string = str_replace($match[0], $replace, $string);
}
}
return $string;
}
}
如果您在 Symfony2 中使用 twig,则有一个捆绑包:https ://github.com/liip/LiipUrlAutoConverterBundle
如果你在 Symfony2 之外使用它,你可以提交一个 PR 给他们以解耦包和树枝扩展!
另一个列出的“答案”有点过时并且有问题。这个可以在最新版本的 Symfony 中运行,并且问题更少
class AutoLinkTwigExtension extends AbstractExtension
{
public function getFilters()
{
return [new TwigFilter('auto_link', [$this, 'autoLink'], [
'pre_escape'=>'html',
'is_safe' => ['html']])];
}
static public function autoLink($string)
{
$pattern = "/http[s]?:\/\/[a-zA-Z0-9.\-\/?#=&]+/";
$replacement = "<a href=\"$0\" target=\"_blank\">$0</a>";
$string = preg_replace($pattern, $replacement, $string);
return $string;
}
}