3

我想稍微操作一下 DOM,需要一些帮助。

那是我的 HTML 标记:

<span class=“content“&gt; This is my content: {#eeeeee}grey text{/#eeeeee} {#f00000}red text{/#f00000}</span>

应该是这样的:

<span class="content">This is my content: <span style="color:#eeeeee;">grey text</span><span style="color:#f00000;">red text</span></span>

脚本应该用 span 标签替换括号以更改字体颜色。颜色应与括号中的颜色相同。

我的做法:

function regcolor(element) {
    var text = element.innerText;
    var matches = text.match(/\{(#[0-9A-Fa-f]{6})\}([\s\S]*)\{\/\1\}/gim);
    if (matches != null) {
        var arr = $(matches).map(function (i, val) {
            var input = [];
            var color = val.slice(1, 8);
            var textf = val.slice(9, val.length - 10);
            var html = "<span style=\"color: " + color + ";\">" + textf + "</span>";
            input.push(html);
            return input;
        });

        var input = $.makeArray(arr);

        $(element).html(input.join(''));
    };

但它工作得不是很好,我对代码感觉不太好,它看起来很乱。并且脚本丢失了不在括号中的内容(“这是我的内容:”)。

任何人的想法?

4

3 回答 3

6

我只使用了一点 jQuery,但不用它也很容易做到。这只是一个正则表达式字符串替换。

$('.content').each(function() {
  var re = /\{(#[a-z0-9]{3,6})\}(.*?)\{\/\1\}/g;
  //          ^                 ^
  //          $1                $2

  this.innerHTML = this.innerHTML.replace(re, function($0, $1, $2) {
    return '<span style="color: ' + $1 + '">' + $2 + '</span>';
  });
});

我正在使用反向引用来正确匹配左大括号和右大括号。

更新

可以更短:

$('.content').each(function() {
  var re = /\{(#[a-z0-9]{3,6})\}(.*?)\{\/\1\}/g,
  repl = '<span style="color: $1">$2</span>';

  this.innerHTML = this.innerHTML.replace(re, repl);
});

看妈妈,没有 jQuery

var nodes = document.getElementsByClassName('content');

for (var i = 0, n = nodes.length; i < n; ++i) {
  var re = /\{(#[a-z0-9]{3,6})\}(.*?)\{\/\1\}/g,
  repl = '<span style="color: $1">$2</span>';

  nodes[i].innerHTML = nodes[i].innerHTML.replace(re, repl);
}
于 2013-02-22T09:19:32.160 回答
1

使用正则表达式直接替换匹配项:

function regcolor2(element) {
    var text = element.html();
    var i = 0;
    var places = text.replace(/\{(#[0-9A-Fa-f]{6})\}([\s\S]*)\{\/\1\}/gim, function( match ) {
        var color = match.slice(1, 8);
        var textf = match.slice(9, match.length - 10);
        var html = "<span style=\"color: " + color + ";\">" + textf + "</span>";
        return html;
    });

    $(element).html(places);
}
于 2013-02-22T09:18:49.807 回答
1

使用 jquery 和这种方法或语法可以更短

$(function() {

$('.content').html($('.content').text().replace( new RegExp('{(.*?)}(.*?){\/.*?}','g'), '<span style="color:$1">$2</span>'));

});
于 2013-02-22T12:06:53.997 回答