I am clicking on a link and loading in an html file which consist of:
JavaScript
x
8
1
<div id="galleryPage">
2
<p>Hello2</p>
3
</div>
4
5
<script type="text/javascript">
6
console.log("hellosdsd");
7
</script>
8
I then add this into a div on my page and it looks like:
the script never executes…
What am I missing?
Loading the html like this:
JavaScript
1
34
34
1
document.querySelectorAll(".link").forEach((item) => {
2
item.addEventListener("click", (event) => {
3
event.preventDefault();
4
const url = event.target.dataset["url"];
5
6
get_html_file(`./Pages/${url}/`, (data) => {
7
document.getElementById("container").innerHTML = data;
8
});
9
10
return false;
11
});
12
});
13
14
function get_html_file(path, success, errorCallback) {
15
fetch(path)
16
.then((response) => {
17
if (!response.ok) {
18
throw new Error("Network response was not ok");
19
}
20
return response.text();
21
})
22
.then((data) => {
23
if (success) success(data);
24
// document.getElementById("container").innerHTML = data;
25
})
26
.catch((error) => {
27
if (errorCallback) errorCallback(error);
28
console.error(
29
"There has been a problem with your fetch operation:",
30
error
31
);
32
});
33
}
34
Advertisement
Answer
Yep, modifying innerHTML
won’t evaluate the script tags it inserts.
You might want to do something like
JavaScript
1
6
1
[document.querySelectorAll("#container script")].forEach(script => {
2
if(script.dataset.evaluated) return; // If already evaluated, skip
3
eval(script.innerText);
4
script.dataset.evaluated = 1; // Mark as evaluated
5
});
6
after you load in the new HTML.
You could also do e.g. script.parentNode.removeChild(script)
instead of the dataset trick, but this is more useful for debugging.