EN
JavaScript - detect if text overflows element horizontally
3
points
In this article, we would like to show you how to detect if text overflows element horizontally in JavaScript.
Quick solution:
function isTextOverflowing(element) {
return (element.clientWidth < element.scrollWidth);
}
// Usage example:
const element = document.querySelector('#element');
if (isTextOverflowing(element)) {
// ...
}
Practical example
In this example, we check if the element's clientWidth
value is less than its scrollWidth
to determine if the text is overflowing the element horizontally.
// ONLINE-RUNNER:browser;
<!doctype html>
<html>
<head>
<style>
div.text {
padding: 5px;
border: 1px solid red;
width: 200px; /* <------ limits element width */
white-space: nowrap; /* <------ prevents text from wrapping */
overflow: hidden; /* <------ hides overflow */
}
</style>
</head>
<body>
<div id="text-1" class="text">
Short text
</div>
<div id="text-2" class="text">
"Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum."
</div>
<script>
function isTextOverflowing(element) {
return (element.clientWidth < element.scrollWidth);
}
// Usage example:
const text1 = document.querySelector('#text-1');
const text2 = document.querySelector('#text-2');
console.log(isTextOverflowing(text1)); // false
console.log(isTextOverflowing(text2)); // true
</script>
</body>
</html>