これは私が作成した最もエレガントなソリューションです。バイナリ検索を使用して、10回の繰り返しを行います。素朴な方法は、whileループを実行し、要素がオーバーフローし始めるまでフォントサイズを1ずつ増やすことでした。element.offsetHeightおよびelement.scrollHeightを使用して、要素がいつオーバーフローし始めるかを判別できます。scrollHeightがoffsetHeightよりも大きい場合、フォントサイズが大きすぎます。
二分探索は、このためのはるかに優れたアルゴリズムです。また、実行する反復回数によっても制限されます。単にflexFontを呼び出し、divのIDを挿入し、それが間のフォントサイズを調整します8pxと96px。
私はこのトピックを調査し、さまざまなライブラリを試すのに少し時間を費やしましたが、最終的にはこれが実際に機能する最も簡単で最も簡単なソリューションだと思います。
offsetWidth
とを使用するように変更したい場合scrollWidth
、または両方をこの関数に追加できることに注意してください。
// 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
};
}