HTML5 has has this great feature for the data that we want to associate with any element but we don’t need not have any specific meaning between the data and the element. It’s basically like storing a data that is just related to that page or app.
That’s what data-* attributes allow us to do. It stores additional information on HTML elements. It doesn’t requires any special hacks like non-standard attributes, Node.setUserData() or extra properties on DOM.
The data-* attributes allow information to be sent and to be received between the HTML and HTML DOM using JavaScript or any other scripts.
To access it we need to user HTMLElement.dataset property.
You can replace * with any name with the following restrictions:
- It must not start with xml (it is case-insensitive).
- It must not have colon characters (:).
- It must not have capital letters.
The user agent will ignore those custom attributes that starts with “data-“.
We can access the data-name-value will be accessible via HTMLElement.dataset.nameValue (or by HTMLElement.dataset[“nameValue”]).
data-* Attributes Syntax
There is no defined syntax. You can just add the attribute with the name starting with data-.
So, basically the syntax is:
data-* Attributes Example
How to access data-* attributes value using JavaScript?
Printing the values of data-* attributes in JavaScript is straight forward.
We can use either getAttribute() with the full HTML name to get the values or we can just use a dataset property. The DOMStringMap interface is used for the HTMLElement.dataset attribute.
To get the data-* attributes values using the dataset object, we need to use the attribute name after data-.
Let’s get the data from the example above:
const section = document.querySelector('#articles');
section.dataset.sections // "5"
section.dataset.paragraphs // "10"
section.dataset.words // "1000"
How to change data-* attributes value using JavaScript?
const section = document.querySelector('#articles');
section.dataset.sections = 10;
section.dataset.sections // "10"
How to access data-* attributes value using CSS?
It’s just really convenient that we can use CSS to get the values of data-* attributes. That way we don’t need to use JavaScript to change the style on the fly.
We can use attr() function in CSS to get the values.
For e.g.
section::before {
content: attr(data-parent);
}
How to change style using data-* attributes value in CSS?
section[data-paragraphs='3'] {
color: blue;
}
section[data-paragraphs='4'] {
color: red;
}
Source: MDN
attributes data DOM property