Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to find and replace text in between two tags in HTML or XML document using jQuery?

I want to find and replace text in a HTML document between, say inside the <title> tags. For example,

var str = "<html><head><title>Just a title</title></head><body>Do nothing</body></html>";
var newTitle = "Updated title information";

I tried using parseXML() in jQuery (example below), but it is not working:

var doc= $($.parseXML(str));
doc.find('title').text(newTitle);
str=doc.text();

Is there a different way to find and replace text inside HTML tags? Regex or may be using replaceWith() or something similar?

like image 437
Gandalf Avatar asked Dec 26 '13 04:12

Gandalf


2 Answers

I did something similar in a question earlier today using regexes:

str = str.replace(/<title>[\s\S]*?<\/title>/, '<title>' + newTitle + '<\/title>');

That should find and replace it. [\s\S]*? means [any character including space and line breaks]any number of times, and the ? makes the asterisk "not greedy," so it will stop (more quickly) when it finds </title>.

like image 141
James G. Avatar answered Oct 13 '22 17:10

James G.


You can also do something like this:

var doc = $($.parseXML(str));
doc.find('title').text(newTitle);

// get your new data back to a string 
str = (new XMLSerializer()).serializeToString(doc[0]);

Here is a fiddle: http://jsfiddle.net/Z89dL/1/

like image 41
Dimitar Dimitrov Avatar answered Oct 13 '22 19:10

Dimitar Dimitrov