123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482 |
- import {forwardRef, useCallback, useEffect, useMemo, useRef} from 'react';
- import styled from '@emotion/styled';
- import * as Sentry from '@sentry/react';
- import Color from 'color';
- import * as echarts from 'echarts/core';
- import {CanvasRenderer} from 'echarts/renderers';
- import {updateDateTime} from 'sentry/actionCreators/pageFilters';
- import {transformToAreaSeries} from 'sentry/components/charts/areaChart';
- import {transformToBarSeries} from 'sentry/components/charts/barChart';
- import type {BaseChartProps} from 'sentry/components/charts/baseChart';
- import BaseChart from 'sentry/components/charts/baseChart';
- import {transformToLineSeries} from 'sentry/components/charts/lineChart';
- import ScatterSeries from 'sentry/components/charts/series/scatterSeries';
- import type {DateTimeObject} from 'sentry/components/charts/utils';
- import {t} from 'sentry/locale';
- import type {ReactEchartsRef} from 'sentry/types/echarts';
- import mergeRefs from 'sentry/utils/mergeRefs';
- import {isCumulativeOp} from 'sentry/utils/metrics';
- import {formatMetricsUsingUnitAndOp} from 'sentry/utils/metrics/formatters';
- import {MetricDisplayType} from 'sentry/utils/metrics/types';
- import useRouter from 'sentry/utils/useRouter';
- import type {FocusAreaProps} from 'sentry/views/ddm/context';
- import {useFocusArea} from 'sentry/views/ddm/focusArea';
- import {
- defaultFormatAxisLabel,
- getFormatter,
- } from '../../components/charts/components/tooltip';
- import {isChartHovered} from '../../components/charts/utils';
- import {useChartSamples} from './useChartSamples';
- import type {SamplesProps, ScatterSeries as ScatterSeriesType, Series} from './widget';
- type ChartProps = {
- displayType: MetricDisplayType;
- series: Series[];
- widgetIndex: number;
- focusArea?: FocusAreaProps;
- group?: string;
- height?: number;
- operation?: string;
- scatter?: SamplesProps;
- };
- // We need to enable canvas renderer for echarts before we use it here.
- // Once we use it in more places, this should probably move to a more global place
- // But for now we keep it here to not invluence the bundle size of the main chunks.
- echarts.use(CanvasRenderer);
- function isNonZeroValue(value: number | null) {
- return value !== null && value !== 0;
- }
- function addSeriesPadding(data: Series['data']) {
- const hasNonZeroSibling = (index: number) => {
- return (
- isNonZeroValue(data[index - 1]?.value) || isNonZeroValue(data[index + 1]?.value)
- );
- };
- const paddingIndices = new Set<number>();
- return {
- data: data.map(({name, value}, index) => {
- const shouldAddPadding = value === null && hasNonZeroSibling(index);
- if (shouldAddPadding) {
- paddingIndices.add(index);
- }
- return {
- name,
- value: shouldAddPadding ? 0 : value,
- };
- }),
- paddingIndices,
- };
- }
- export const MetricChart = forwardRef<ReactEchartsRef, ChartProps>(
- (
- {series, displayType, operation, widgetIndex, focusArea, height, scatter, group},
- forwardedRef
- ) => {
- const router = useRouter();
- const chartRef = useRef<ReactEchartsRef>(null);
- const handleZoom = useCallback(
- (range: DateTimeObject) => {
- Sentry.metrics.increment('ddm.enhance.zoom');
- updateDateTime(range, router, {save: true});
- },
- [router]
- );
- const focusAreaBrush = useFocusArea({
- ...focusArea,
- chartRef,
- opts: {
- widgetIndex,
- isDisabled: !focusArea?.onAdd || !handleZoom,
- useFullYAxis: isCumulativeOp(operation),
- },
- onZoom: handleZoom,
- });
- useEffect(() => {
- if (!group) {
- return;
- }
- const echartsInstance = chartRef?.current?.getEchartsInstance();
- if (echartsInstance && !echartsInstance.group) {
- echartsInstance.group = group;
- }
- });
- // TODO(ddm): This assumes that all series have the same bucket size
- const bucketSize = series[0]?.data[1]?.name - series[0]?.data[0]?.name;
- const isSubMinuteBucket = bucketSize < 60_000;
- const unit = series.find(s => !s.hidden)?.unit || series[0]?.unit || '';
- const lastBucketTimestamp = series[0]?.data?.[series[0]?.data?.length - 1]?.name;
- const ingestionBuckets = useMemo(
- () => getIngestionDelayBucketCount(bucketSize, lastBucketTimestamp),
- [bucketSize, lastBucketTimestamp]
- );
- const seriesToShow = useMemo(
- () =>
- series
- .filter(s => !s.hidden)
- .map(s => ({
- ...s,
- silent: true,
- ...(displayType !== MetricDisplayType.BAR
- ? addSeriesPadding(s.data)
- : {data: s.data}),
- }))
- // Split series in two parts, one for the main chart and one for the fog of war
- // The order is important as the tooltip will show the first series first (for overlaps)
- .flatMap(s => createIngestionSeries(s, ingestionBuckets, displayType)),
- [series, ingestionBuckets, displayType]
- );
- const samples = useChartSamples({
- chartRef,
- correlations: scatter?.data,
- unit: scatter?.unit,
- onClick: scatter?.onClick,
- highlightedSampleId: scatter?.higlightedId,
- operation,
- timeseries: series,
- });
- const chartProps = useMemo(() => {
- const hasMultipleUnits = new Set(seriesToShow.map(s => s.unit)).size > 1;
- const seriesMeta = seriesToShow.reduce(
- (acc, s) => {
- acc[s.seriesName] = {
- unit: s.unit,
- operation: s.operation,
- };
- return acc;
- },
- {} as Record<string, {operation: string; unit: string}>
- );
- const timeseriesFormatters = {
- valueFormatter: (value: number, seriesName?: string) => {
- const meta = seriesName ? seriesMeta[seriesName] : {unit, operation};
- return formatMetricsUsingUnitAndOp(value, meta.unit, meta.operation);
- },
- isGroupedByDate: true,
- bucketSize,
- showTimeInTooltip: true,
- addSecondsToTimeFormat: isSubMinuteBucket,
- limit: 10,
- filter: (_, seriesParam) => {
- return seriesParam?.axisId === 'xAxis';
- },
- };
- const heightOptions = height ? {height} : {autoHeightResize: true};
- return {
- ...heightOptions,
- ...focusAreaBrush.options,
- forwardedRef: mergeRefs([forwardedRef, chartRef]),
- series: seriesToShow,
- devicePixelRatio: 2,
- renderer: 'canvas' as const,
- isGroupedByDate: true,
- colors: seriesToShow.map(s => s.color),
- grid: {top: 5, bottom: 0, left: 0, right: 0},
- onClick: samples.handleClick,
- tooltip: {
- formatter: (params, asyncTicket) => {
- if (focusAreaBrush.isDrawingRef.current) {
- return '';
- }
- if (!isChartHovered(chartRef?.current)) {
- return '';
- }
- // Hovering a single correlated sample datapoint
- if (params.seriesType === 'scatter') {
- return getFormatter(samples.formatters)(params, asyncTicket);
- }
- // The mechanism by which we add the fog of war series to the chart, duplicates the series in the chart data
- // so we need to deduplicate the series before showing the tooltip
- // this assumes that the first series is the main series and the second is the fog of war series
- if (Array.isArray(params)) {
- const uniqueSeries = new Set<string>();
- const deDupedParams = params.filter(param => {
- // Filter null values from tooltip
- if (param.value[1] === null) {
- return false;
- }
- // scatter series (samples) have their own tooltip
- if (param.seriesType === 'scatter') {
- return false;
- }
- // Filter padding datapoints from tooltip
- if (param.value[1] === 0) {
- const currentSeries = seriesToShow[param.seriesIndex];
- const paddingIndices =
- 'paddingIndices' in currentSeries
- ? currentSeries.paddingIndices
- : undefined;
- if (paddingIndices?.has(param.dataIndex)) {
- return false;
- }
- }
- if (uniqueSeries.has(param.seriesName)) {
- return false;
- }
- uniqueSeries.add(param.seriesName);
- return true;
- });
- const date = defaultFormatAxisLabel(
- params[0].value[0] as number,
- timeseriesFormatters.isGroupedByDate,
- false,
- timeseriesFormatters.showTimeInTooltip,
- timeseriesFormatters.addSecondsToTimeFormat,
- timeseriesFormatters.bucketSize
- );
- if (deDupedParams.length === 0) {
- return [
- '<div class="tooltip-series">',
- `<center>${t('No data available')}</center>`,
- '</div>',
- `<div class="tooltip-footer">${date}</div>`,
- ].join('');
- }
- return getFormatter(timeseriesFormatters)(deDupedParams, asyncTicket);
- }
- return getFormatter(timeseriesFormatters)(params, asyncTicket);
- },
- },
- yAxes: [
- {
- // used to find and convert datapoint to pixel position
- id: 'yAxis',
- axisLabel: {
- formatter: (value: number) => {
- return formatMetricsUsingUnitAndOp(
- value,
- hasMultipleUnits ? 'none' : unit,
- operation
- );
- },
- },
- },
- samples.yAxis,
- ],
- xAxes: [
- {
- // used to find and convert datapoint to pixel position
- id: 'xAxis',
- axisPointer: {
- snap: true,
- },
- },
- samples.xAxis,
- ],
- };
- }, [
- seriesToShow,
- bucketSize,
- isSubMinuteBucket,
- height,
- focusAreaBrush.options,
- focusAreaBrush.isDrawingRef,
- forwardedRef,
- samples.handleClick,
- samples.yAxis,
- samples.xAxis,
- samples.formatters,
- unit,
- operation,
- ]);
- return (
- <ChartWrapper>
- {focusAreaBrush.overlay}
- <CombinedChart
- {...chartProps}
- displayType={displayType}
- scatterSeries={samples.series}
- />
- </ChartWrapper>
- );
- }
- );
- interface CombinedChartProps extends BaseChartProps {
- displayType: MetricDisplayType;
- series: Series[];
- scatterSeries?: ScatterSeriesType[];
- }
- function CombinedChart({
- displayType,
- series,
- scatterSeries = [],
- ...chartProps
- }: CombinedChartProps) {
- const combinedSeries = useMemo(() => {
- if (displayType === MetricDisplayType.LINE) {
- return [
- ...transformToLineSeries({series}),
- ...transformToScatterSeries({series: scatterSeries, displayType}),
- ];
- }
- if (displayType === MetricDisplayType.BAR) {
- return [
- ...transformToBarSeries({series, stacked: true, animation: false}),
- ...transformToScatterSeries({series: scatterSeries, displayType}),
- ];
- }
- if (displayType === MetricDisplayType.AREA) {
- return [
- ...transformToAreaSeries({series, stacked: true, colors: chartProps.colors}),
- ...transformToScatterSeries({series: scatterSeries, displayType}),
- ];
- }
- return [];
- }, [displayType, scatterSeries, series, chartProps.colors]);
- return <BaseChart {...chartProps} series={combinedSeries} />;
- }
- function transformToScatterSeries({
- series,
- displayType,
- }: {
- displayType: MetricDisplayType;
- series: Series[];
- }) {
- return series.map(({seriesName, data: seriesData, ...options}) => {
- if (displayType === MetricDisplayType.BAR) {
- return ScatterSeries({
- ...options,
- name: seriesName,
- data: seriesData?.map(({value, name}) => ({value: [name, value]})),
- });
- }
- return ScatterSeries({
- ...options,
- name: seriesName,
- data: seriesData?.map(({value, name}) => [name, value]),
- animation: false,
- });
- });
- }
- function createIngestionSeries(
- orignalSeries: Series,
- ingestionBuckets: number,
- displayType: MetricDisplayType
- ) {
- if (ingestionBuckets < 1) {
- return [orignalSeries];
- }
- const series = [
- {
- ...orignalSeries,
- data: orignalSeries.data.slice(0, -ingestionBuckets),
- },
- ];
- if (displayType === MetricDisplayType.BAR) {
- series.push(createIngestionBarSeries(orignalSeries, ingestionBuckets));
- } else if (displayType === MetricDisplayType.AREA) {
- series.push(createIngestionAreaSeries(orignalSeries, ingestionBuckets));
- } else {
- series.push(createIngestionLineSeries(orignalSeries, ingestionBuckets));
- }
- return series;
- }
- const EXTRAPOLATED_AREA_STRIPE_IMG =
- 'image://data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAoAAABkCAYAAAC/zKGXAAAAMUlEQVR4Ae3KoREAIAwEsMKgrMeYj8BzyIpEZyTZda16mPVJFEVRFEVRFEVRFMWO8QB4uATKpuU51gAAAABJRU5ErkJggg==';
- function createIngestionBarSeries(series: Series, fogBucketCnt = 0) {
- return {
- ...series,
- silent: true,
- data: series.data.map((data, index) => ({
- ...data,
- // W need to set a value for the non-fog of war buckets so that the stacking still works in echarts
- value: index < series.data.length - fogBucketCnt ? 0 : data.value,
- })),
- itemStyle: {
- opacity: 1,
- decal: {
- symbol: EXTRAPOLATED_AREA_STRIPE_IMG,
- dashArrayX: [6, 0],
- dashArrayY: [6, 0],
- rotation: Math.PI / 4,
- },
- },
- };
- }
- function createIngestionLineSeries(series: Series, fogBucketCnt = 0) {
- return {
- ...series,
- silent: true,
- // We include the last non-fog of war bucket so that the line is connected
- data: series.data.slice(-fogBucketCnt - 1),
- lineStyle: {
- type: 'dotted',
- },
- };
- }
- function createIngestionAreaSeries(series: Series, fogBucketCnt = 0) {
- return {
- ...series,
- silent: true,
- stack: 'fogOfWar',
- // We include the last non-fog of war bucket so that the line is connected
- data: series.data.slice(-fogBucketCnt - 1),
- lineStyle: {
- type: 'dotted',
- color: Color(series.color).lighten(0.3).string(),
- },
- };
- }
- const AVERAGE_INGESTION_DELAY_MS = 90_000;
- /**
- * Calculates the number of buckets, affected by ingestion delay.
- * Based on the AVERAGE_INGESTION_DELAY_MS
- * @param bucketSize in ms
- * @param lastBucketTimestamp starting time of the last bucket in ms
- */
- function getIngestionDelayBucketCount(bucketSize: number, lastBucketTimestamp: number) {
- const timeSinceLastBucket = Date.now() - (lastBucketTimestamp + bucketSize);
- const ingestionAffectedTime = Math.max(
- 0,
- AVERAGE_INGESTION_DELAY_MS - timeSinceLastBucket
- );
- return Math.ceil(ingestionAffectedTime / bucketSize);
- }
- const ChartWrapper = styled('div')`
- position: relative;
- height: 100%;
- `;
|