Legacy code often contains JavaScripts that expect a full page load whenever the user interacts with the page. When you configure Unpoly to handle all interaction, there will not be additional page loads as the user clicks a link or submits a form.
This may cause some of the following issues:
window
will not emit another DOMContentLoaded
event when you
update the page body through Unpoly. This may cause your legacy JavaScript to not
run when you expect it to.setInterval()
but never clearing these timers when they're no longer needed.
When you're resetting the page with every click you may never
notice the leaks. However, when all links are handled through Unpoly
the JavaScript VM may persist for minutes or hours and those leaks
are going to stack up.The cleanest solution to these issues is to call all your JavaScript from an Unpoly compiler.
The legacy code below waits for the page to load, then selects all links with a
.lightbox
class and calls lightboxify()
for each of these links:
document.addEventListener('DOMContentLoaded', function(event) {
document.querySelectorAll('a.lightbox').forEach(function(element) {
lightboxify(element)
})
})
Since the code only runs after the initial page load, links contained in a fragment update will not be lightboxified.
You can fix this by moving your code to a compiler:
up.compiler('a.lightbox', function(element) {
lightboxify(element)
})
When the page initially loads, Unpoly will call this compiler for every element
matching a.lightbox
. When a fragment is updated later, Unpoly will call this compiler
for new matches within the new fragment.
Important
Compilers should only process the given element and its children. It should not use
document.querySelectorAll()
to process elements elsewhere on the page, since these may already have been compiled.
<script>
tags<script>
tags will run if they are part of the updated fragment.
Mind that the <body>
element is a default main target.
If you are including your global application scripts
at the end of your <body>
for performance reasons, swapping the <body>
will re-execute these scripts:
<html>
<body>
<p>Content here</p>
<script src="app.js"></script> <!-- will run every time `body` is updated -->
</body>
</html>
A better solution is so move the <script>
to head and give it an [defer]
attribute:
<html>
<head>
<script src="app.js" defer></script> <!-- mark-phrase "defer" -->
</head>
<body>
<p>Content here</p>
</body>
</html>