@antv/g2
Version:
the Grammar of Graphics in Javascript
107 lines (85 loc) • 2.85 kB
text/typescript
import { isString, memoize, values, toString } from '@antv/util';
import * as CSS from 'csstype';
import { getCanvasContext } from './context';
type FontFace = CSS.Properties;
type Font = Pick<FontFace, 'fontFamily' | 'fontWeight' | 'fontStyle' | 'fontVariant'> & {
fontSize?: number;
};
/**
* 计算文本在画布中的宽度
*/
export const measureTextWidth = memoize(
(text: any, font: Font = {}): number => {
const { fontSize, fontFamily, fontWeight, fontStyle, fontVariant } = font;
const ctx = getCanvasContext();
ctx!.font = [fontStyle, fontVariant, fontWeight, `${fontSize}px`, fontFamily].join(' ');
return ctx!.measureText(isString(text) ? text : '').width;
},
(text: any, font: Font = {}) => [text, ...values(font)].join('')
);
/**
* 获取文本的 ... 文本。
* 算法(减少每次 measureText 的长度,measureText 的性能跟字符串时间相关):
* 1. 先通过 STEP 逐步计算,找到最后一个小于 maxWidth 的字符串
* 2. 然后对最后这个字符串二分计算
* @param text 需要计算的文本, 由于历史原因 除了支持string,还支持空值,number和数组等
* @param maxWidth
* @param font
*/
export const getEllipsisText = (text: any, maxWidth: number, font?: Font) => {
const STEP = 16; // 每次 16,调参工程师
const DOT_WIDTH = measureTextWidth('...', font);
let leftText;
if (!isString(text)) {
leftText = toString(text);
} else {
leftText = text;
}
let leftWidth = maxWidth;
const r = []; // 最终的分段字符串
let currentText;
let currentWidth;
if (measureTextWidth(text, font) <= maxWidth) {
return text;
}
// 首先通过 step 计算,找出最大的未超出长度的
while (true) {
// 更新字符串
currentText = leftText.substr(0, STEP);
// 计算宽度
currentWidth = measureTextWidth(currentText, font);
// 超出剩余宽度,则停止
if (currentWidth + DOT_WIDTH > leftWidth) {
if (currentWidth > leftWidth) {
break;
}
}
r.push(currentText);
// 没有超出,则计算剩余宽度
leftWidth -= currentWidth;
leftText = leftText.substr(STEP);
// 字符串整体没有超出
if (!leftText) {
return r.join('');
}
}
// 最下的最后一个 STEP,使用 1 递增(用二分效果更高)
while (true) {
// 更新字符串
currentText = leftText.substr(0, 1);
// 计算宽度
currentWidth = measureTextWidth(currentText, font);
// 超出剩余宽度,则停止
if (currentWidth + DOT_WIDTH > leftWidth) {
break;
}
r.push(currentText);
// 没有超出,则计算剩余宽度
leftWidth -= currentWidth;
leftText = leftText.substr(1);
if (!leftText) {
return r.join('');
}
}
return `${r.join('')}...`;
};