jQuery查找并替换字符串

时间:2011-02-25 08:37:11

标签: javascript jquery jquery-selectors

我在网站上有一个特定的文本,让我们说“lollypops”,我想用“marshmellows”替换所有出现的这个字符串。问题是我不知道文本的确切位置。我知道我可以这样做:

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

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

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

    在示例中,我会有这样的结构

    <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>
    

    在此示例中,每次出现的“lollypops”都会被替换,只有<img src="...将保持不变,而实际操作的唯一元素将是<a><span>秒。
    有人知道怎么做吗?

6 个答案:

答案 0 :(得分:133)

你可以这样做:

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

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

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

答案 1 :(得分:14)

你可以这样做:

$(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/

答案 2 :(得分:6)

以下是我用彩色文字替换某些文字的代码。这很简单,接受了文本并将其替换为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);
});

答案 3 :(得分:1)

var string ='my string'
var new_string = string.replace('string','new string');
alert(string);
alert(new_string);

答案 4 :(得分:0)

您可以执行以下操作:

HTML

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


jQuery

$(".element span").text(function(index, text) { 
    return text.replace('am', 'am not'); 
});

答案 5 :(得分:-3)

为什么你只是不在字符串容器中添加一个类然后替换内部文本?就像在这个例子中一样。

<强> HTML:

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

<强> jQuery的:

$(document).ready(function() {
    $('.swapText').text("marshmallows");
});