@antv/g2
Version:
the Grammar of Graphics in Javascript
83 lines (76 loc) • 2.42 kB
text/typescript
import { isArray } from '@antv/util';
import { Point, RangePoint, ShapeVertices } from '../../../interface';
function isValueEmpty(value) {
if (value) {
return false;
}
return value === null || value === undefined || isNaN(value);
}
function isYNil(point: Point[] | RangePoint) {
if (isArray(point)) {
// 特殊处理 area 的关键点数据,其关键点结构为 [{x: 0, y: 1}, {x: 0, y: 2}]
return isValueEmpty(point[1].y);
}
const value = point.y;
return isArray(value) ? isValueEmpty(value[0]) : isValueEmpty(value);
}
/**
* @ignore
* 分割数据,用于处理在一组点数据中,y 对应的数值存在 null/undefined/NaN 的情况
* 应用于折线图、区域图以及路径图
*
* ```typescript
* // return [[{x: 1, y: 2}, {x: 3, y: 3}]]
* getPathPoints([{x: 1, y: 2}, {x: 2, y: null}, {x: 3, y: 3}], true);
* // return [[{x: 1, y: 2}], [{x: 3, y: 3}]]
* getPathPoints([{x: 1, y: 2}, {x: 2, y: null}, {x: 3, y: 3}], false);
* // return [[[{ x: 1, y: 10 }, { x: 2, y: 2 }], [{ x: 9, y: 34 }, { x: 1, y: 1 }]]]
* getPathPoints([
* [{ x: 1, y: 10 }, { x: 2, y: 2 }],
* [{ x: 4, y: 2 }, { x: 8, y: NaN }],
* [{ x: 9, y: 34 }, { x: 1, y: 1 }],
* ], true);
* ```
*
* @param points 要进行处理点集合
* @param connectNulls 是否连接空值数据
* @param showSinglePoint 是否展示孤立点
* @returns 返回处理后的点集合
*/
export function getPathPoints(points: ShapeVertices, connectNulls: boolean = false, showSinglePoint: boolean = true) {
if (!points.length || (points.length === 1 && !showSinglePoint)) {
// 空或者只有一个点并配置不展示时
return [];
}
if (connectNulls) {
// 即 y 值为空的场景
const filtered = [];
for (let i = 0, len = points.length; i < len; i++) {
const point = points[i];
if (!isYNil(point)) {
filtered.push(point);
}
}
return [filtered];
}
const result = [];
let tmp = [];
for (let i = 0, len = points.length; i < len; i++) {
const point = points[i];
if (isYNil(point)) {
if (tmp.length) {
if (!(tmp.length === 1 && !showSinglePoint)) {
// 如果前段数据只有一个字段并且不需要展示时则不加入
result.push(tmp);
}
tmp = [];
}
} else {
tmp.push(point);
}
}
if (tmp.length) {
result.push(tmp);
}
return result;
}