Skip to content Skip to sidebar Skip to footer

Find Word On Page, Wrap In Span Tags With Class

I would like to Find word on page, wrap in span tags with class. before proceeding to execute a javascript i have almost got ready. If i can work out how to just do this first part

Solution 1:

Do not use regex. Do not replace large chunks of innerHTML. Do not pass Go. Do not collect $200.

Walk over the text nodes only, finding the target text and splitting to insert new elements. See this question for example code using an <a>.

Solution 2:

[See it in action]

functionhighlight(term, base) {
  if (!term) return;
  base = base || document.body;
  var re = newRegExp("(" + RegExp.escape(term) + ")", "gi"); //... just use termvar replacement = "<span class='highlight'>" + term + "</span>";
  $("*", base).contents().each( function(i, el) {
    if (el.nodeType === 3) {
      var data = el.data || el.textContent || el.innerText;
      if (data = data.replace(re, replacement)) {
        var wrapper = $("<span>").html(data);
        $(el).before(wrapper.contents()).remove();
      }
    }
  });
}

functiondehighlight(term, base) {
  var text = document.createTextNode(term);
  $('span.highlight', base).each(function () {
    this.parentNode.replaceChild(text.cloneNode(false), this);
  });
}

// escape by Colin Snover// Note: if you don't care for (), you can remove it..RegExp.escape = function(text) {
    return text.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&");
}

Post a Comment for "Find Word On Page, Wrap In Span Tags With Class"