jQuery查找和替换字符串

IT技术 javascript jquery jquery-selectors
2021-02-16 02:07:33

我在网站上的某个地方有一个特定的文本,比如说“棒棒糖”,我想用“棉花糖”替换这个字符串的所有出现。问题是我不知道文本的确切位置。我知道我可以这样做:

$(body).html($(body).html().replace('lollypops', 'marshmellows'));

这可能会奏效,但我需要尽可能少地重写 HTML,所以我在想:

  1. 搜索字符串
  2. 找到最近的父元素
  3. 只重写最近的父元素
  4. 甚至在属性中替换它,但不是全部,例如将其替换为class,但不替换src

例如,我会有这样的结构

<body>
    <div>
        <div>
            <p>
               <h1>
                 <a>lollypops</a>
               </h1>
            </p>
            <span>lollypops</span>
        </div>
    </div>
    <p>
       <span class="lollypops">Hello, World!</span>
       <img src="/lollypops.jpg" alt="Cool image" />
    </p>
<body>

在这个例子中,每次出现的“棒棒糖”都将被替换,只会<img src="...保持不变,并且实际操作的唯一元素将是<a>和两者<span>
有人知道怎么做这个吗?

6个回答

你可以这样做:

$("span, p").each(function() {
    var text = $(this).text();
    text = text.replace("lollypops", "marshmellows");
    $(this).text(text);
});

最好用需要用合适的类名检查的文本标记所有标签。

此外,这可能存在性能问题。jQuery 或 javascript 通常并不适合这种操作。你最好在服务器端做这件事。

然后你可以尝试 $("*"),但我不推荐它。
2021-04-23 02:07:33
我知道,不幸的是我不能在服务器端做到这一点。另外,您建议的解决方案不适合我,因为我不知道字符串的确切位置。它可能在<span>,它可能在<h4>等等......
2021-05-13 02:07:33

你可以这样做:

$(document.body).find('*').each(function() {
    if($(this).hasClass('lollypops')){ //class replacing..many ways to do this :)
        $(this).removeClass('lollypops');
        $(this).addClass('marshmellows');
    }
    var tmp = $(this).children().remove(); //removing and saving children to a tmp obj
    var text = $(this).text(); //getting just current node text
    text = text.replace(/lollypops/g, "marshmellows"); //replacing every lollypops occurence with marshmellows
    $(this).text(text); //setting text
    $(this).append(tmp); //re-append 'foundlings'
});

示例:http : //jsfiddle.net/steweb/MhQZD/

下面是我用来用彩色文本替换一些文本的代码。很简单,获取文本并将其替换为HTML标签。它适用于该类标签中的每个单词。

$('.hightlight').each(function(){
    //highlight_words('going', this);
    var high = 'going';
    high = high.replace(/\W/g, '');
    var str = high.split(" ");
    var text = $(this).text();
    text = text.replace(str, "<span style='color: blue'>"+str+"</span>");
    $(this).html(text);
});

你可以这样做:

HTML

<div class="element">
   <span>Hi, I am Murtaza</span>
</div>


jQuery

$(".element span").text(function(index, text) { 
    return text.replace('am', 'am not'); 
});
var string ='my string'
var new_string = string.replace('string','new string');
alert(string);
alert(new_string);
我认为需要删除“替换”函数中字符串变量周围的引号。
2021-04-17 02:07:33