DEV Community

Luciano Strika
Luciano Strika

Posted on • Updated on • Originally published at strikingloo.github.io

How to Create a Spoiler Tag in HTML

Many forums or blogs make use of the spoiler tag: a little button or anchor that, if clicked, reveals otherwise invisible content.

I wanted to add this functionality to the site for Tables of Content, so I figured adding this guide here could be useful both for my own future reference and for anyone else looking for a concise explanation.

In this post we will code a spoiler tag: an anchor that shows or hides an HTML element when clicked.

What we will do to implement a spoiler tag is divided in three parts.

CSS Example Class

    .spoiler-content {
        display: none;
    }
Enter fullscreen mode Exit fullscreen mode

With the display property set to none, we make content invisible (but still part of the page's HTML). Setting this to block would make it visible again.

HTML Part

<a href="#" onclick="toggleSpoiler(event, '1')">Table of Contents</a>

<div class="spoiler-content" id='1'>
    <!-- Your invisible content here.> </!-->
</div>
Enter fullscreen mode Exit fullscreen mode

Pretty straightforward: the div has the spoiler-content class that makes it invisible by default, and a unique id. We pair that content with that anchor by sending the same id as the second argument to the toggleSpoiler function.

JavaScript Part

function toggleSpoiler(event, id) {
    event.preventDefault();
    var spoilerContent = document.getElementById(id);
    if (spoilerContent.style.display === 'none' || spoilerContent.style.display === '') {
        spoilerContent.style.display = 'block';
    } else {
        spoilerContent.style.display = 'none';
    }
}
Enter fullscreen mode Exit fullscreen mode

For the script, we define toggleSpoiler such that, given an id, if the element with that id is visible it becomes hidden, or viceversa. I add the check for display === '' as for some reason in this toy example, js was detecting the value as '' the first time even if the class was correctly applied, so that you don't need to click twice to reveal the content.

And there you have it, a simple spoiler tag in plain HTML/JS. Note that you could make the anchor a button or any other thing instead, and make the div contain any arbitrary HTML elements.

Top comments (1)

Collapse
 
softwaredeveloping profile image
FrontEndWebDeveloping

Hi @strikingloo ! Thanks for your post. Also, have you looked into using summary and details tags in html? It is a simple non-js solution for spoiler tags.