Questa è la soluzione più elegante che ho creato. Usa la ricerca binaria, facendo 10 iterazioni. Il modo ingenuo era fare un ciclo while e aumentare la dimensione del carattere di 1 fino a quando l'elemento ha iniziato a traboccare. Puoi determinare quando un elemento inizia a traboccare usando element.offsetHeight e element.scrollHeight . Se scrollHeight è più grande di offsetHeight, hai una dimensione del carattere troppo grande.
La ricerca binaria è un algoritmo molto migliore per questo. Inoltre è limitato dal numero di iterazioni che si desidera eseguire. Basta chiamare flexFont e inserire il div id e regolerà la dimensione del carattere tra 8px e 96px .
Ho trascorso un po 'di tempo a cercare questo argomento e provare diverse librerie, ma alla fine penso che questa sia la soluzione più semplice e diretta che effettivamente funzionerà.
Nota se vuoi puoi cambiare da usare offsetWidth
e scrollWidth
, o aggiungere entrambi a questa funzione.
// 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
};
}