What is the best way to create links between dynamically-generated HTML content with JavaScript?
For example, I have a number of thumbnail images on a homepage that should open the matching project when clicked. I’ve come up with this solution but I’m sure there’s a better way that doesn’t involve using split() to select the correct class?
The order of the thumbnails and projects will be randomised so I can’t use the index of the thumbnail to open the project page with the same index.
https://codepen.io/wrgt1/pen/OJRwNQv
const thumbnail = document.querySelectorAll(".thumbnail");
const project = document.querySelectorAll(".project");
thumbnail.forEach(function (thumb) {
thumb.addEventListener("click", (e) => {
const splitClass = e.target.className.split(" ")[1];
const target = `.${splitClass}:not(.thumbnail)`;
const targetSelector = document.querySelector(target);
for (let i = 0; i < project.length; i++) {
project[i].style.visibility = "hidden";
}
targetSelector.style.visibility = "visible";
});
});#thumbnails, #projects {
position: relative;
display: flex;
}
.thumbnail, .project {
height: 100px;
width: 100px;
margin: 10px;
}
.thumbnail {
background: #FF7400;
cursor: pointer;
}
.project {
visibility: hidden;
background: #209209;
}<div id="thumbnails"> <div class="thumbnail project1">Thumbnail (Project 1)</div> <div class="thumbnail project2">Thumbnail (Project 2)</div> <div class="thumbnail project3">Thumbnail (Project 3)</div> </div> <div id="projects"> <div class="project project1">Project 1</div> <div class="project project2">Project 2</div> <div class="project project3">Project 3</div> </div>
I’d be really grateful for any ideas!
Advertisement
Answer
Don’t see anything wrong with your code, I have also tried it in some different way
Hope you take a look at the same also
const thumbnail = document.querySelectorAll(".thumbnail");
const project = document.querySelectorAll(".project");
thumbnail.forEach(function (thumb) {
thumb.addEventListener("click", (e) => {
const target = e.target.classList[1];
project.forEach(function (pro) {
pro.style.visibility = "hidden";
if( pro.classList.contains(target)){
pro.style.visibility = "visible";
}
});
});
});#thumbnails, #projects {
position: relative;
display: flex;
}
.thumbnail, .project {
height: 100px;
width: 100px;
margin: 10px;
}
.thumbnail {
background: #FF7400;
cursor: pointer;
}
.project {
visibility: hidden;
background: #209209;
}<div id="thumbnails"> <div class="thumbnail project1">Thumbnail (Project 1)</div> <div class="thumbnail project2">Thumbnail (Project 2)</div> <div class="thumbnail project3">Thumbnail (Project 3)</div> </div> <div id="projects"> <div class="project project1">Project 1</div> <div class="project project2">Project 2</div> <div class="project project3">Project 3</div> </div>