could someone answer me, how to properly set outerHTML of element by using cheerio. I have a problem with that.
Example: Let’s say I have an HTML structure below
JavaScript
x
7
1
<div class="page-info">
2
<span>Here is an example #1</span>
3
</div>
4
<div class="page-info">
5
<span>Here is an example #2</span>
6
</div>
7
Parsing it via cheerio and adding some manipulations
JavaScript
1
12
12
1
const cheerio = require('cheerio');
2
const $ = cheerio.load(`above HTML is here`);
3
4
let elemList = $('.page-info');
5
for (const elem of elemList) {
6
let innerHtml = $(elem).html(); //<span>Here is an example #1</span>
7
let outerHtml = $.html(elem); //<div class="page-info"><span>Here is an example #1</span></div>
8
let replacedHtml = '<p>totally new html structure</p>';
9
10
$(elem).html(replacedHtml);
11
}
12
As a result I expect to have all divs to be replaced with p. But only spans are replaced with p. I want to get result:
JavaScript
1
3
1
<p>totally new html structure</p>
2
<p>totally new html structure</p>
3
but it’s next
JavaScript
1
7
1
<div class="page-info">
2
<p>totally new html structure</p>
3
</div>
4
<div class="page-info">
5
<p>totally new html structure</p>
6
</div>
7
Am I missing something in documentation to the cheerio? Please point me where I’m doing it wrongly.
Regards, Oleh
Advertisement
Answer
Use replaceWith
(Replaces matched elements with content) to replace the node:
JavaScript
1
2
1
$(".page-info").replaceWith("<p>totally new html structure</p>");
2
Using each
:
JavaScript
1
5
1
let elemList = $(".page-info");
2
elemList.each((i, elem)=> {
3
$(elem).replaceWith("<p>totally new html structure</p>")
4
})
5