Esta é a solução mais elegante que eu criei. Ele usa pesquisa binária, fazendo 10 iterações. A maneira ingênua era fazer um loop while e aumentar o tamanho da fonte em 1 até o elemento começar a transbordar. Você pode determinar quando um elemento começa a exceder usando element.offsetHeight e element.scrollHeight . Se scrollHeight for maior que offsetHeight, você terá um tamanho de fonte muito grande.
A pesquisa binária é um algoritmo muito melhor para isso. Também é limitado pelo número de iterações que você deseja executar. Basta ligar para flexFont e insira o id div e ajusta o tamanho da fonte entre 8px e 96px .
Passei algum tempo pesquisando esse tópico e tentando diferentes bibliotecas, mas, no final das contas, acho que essa é a solução mais fácil e direta que realmente funcionará.
Observe que, se você quiser, pode mudar para usar offsetWidth
e scrollWidth
ou adicionar ambos a esta função.
// Set the font size using overflow property and div height
function flexFont(divId) {
var content = document.getElementById(divId);
content.style.fontSize = determineMaxFontSize(content, 8, 96, 10, 0) + "px";
};
// Use binary search to determine font size
function determineMaxFontSize(content, min, max, iterations, lastSizeNotTooBig) {
if (iterations === 0) {
return lastSizeNotTooBig;
}
var obj = fontSizeTooBig(content, min, lastSizeNotTooBig);
// if `min` too big {....min.....max.....}
// search between (avg(min, lastSizeTooSmall)), min)
// if `min` too small, search between (avg(min,max), max)
// keep track of iterations, and the last font size that was not too big
if (obj.tooBig) {
(lastSizeTooSmall === -1) ?
determineMaxFontSize(content, min / 2, min, iterations - 1, obj.lastSizeNotTooBig, lastSizeTooSmall) :
determineMaxFontSize(content, (min + lastSizeTooSmall) / 2, min, iterations - 1, obj.lastSizeNotTooBig, lastSizeTooSmall);
} else {
determineMaxFontSize(content, (min + max) / 2, max, iterations - 1, obj.lastSizeNotTooBig, min);
}
}
// determine if fontSize is too big based on scrollHeight and offsetHeight,
// keep track of last value that did not overflow
function fontSizeTooBig(content, fontSize, lastSizeNotTooBig) {
content.style.fontSize = fontSize + "px";
var tooBig = content.scrollHeight > content.offsetHeight;
return {
tooBig: tooBig,
lastSizeNotTooBig: tooBig ? lastSizeNotTooBig : fontSize
};
}