import type {MouseEvent as ReactMouseEvent} from 'react'; import {Fragment} from 'react'; import type {WithRouterProps} from 'react-router'; import styled from '@emotion/styled'; import isEqual from 'lodash/isEqual'; import moment from 'moment-timezone'; import {navigateTo} from 'sentry/actionCreators/navigation'; import type {TooltipSubLabel} from 'sentry/components/charts/components/tooltip'; import OptionSelector from 'sentry/components/charts/optionSelector'; import {InlineContainer, SectionHeading} from 'sentry/components/charts/styles'; import type {DateTimeObject} from 'sentry/components/charts/utils'; import {getSeriesApiInterval} from 'sentry/components/charts/utils'; import {Flex} from 'sentry/components/container/flex'; import DeprecatedAsyncComponent from 'sentry/components/deprecatedAsyncComponent'; import ErrorBoundary from 'sentry/components/errorBoundary'; import NotAvailable from 'sentry/components/notAvailable'; import type {ScoreCardProps} from 'sentry/components/scoreCard'; import ScoreCard from 'sentry/components/scoreCard'; import SwitchButton from 'sentry/components/switchButton'; import {DEFAULT_STATS_PERIOD} from 'sentry/constants'; import {t, tct} from 'sentry/locale'; import {space} from 'sentry/styles/space'; import type {DataCategoryInfo, IntervalPeriod} from 'sentry/types/core'; import type {Organization} from 'sentry/types/organization'; import {parsePeriodToHours} from 'sentry/utils/duration/parsePeriodToHours'; import {FORMAT_DATETIME_DAILY, FORMAT_DATETIME_HOURLY} from './usageChart/utils'; import {mapSeriesToChart} from './mapSeriesToChart'; import type {UsageSeries} from './types'; import type {ChartStats, UsageChartProps} from './usageChart'; import UsageChart, { CHART_OPTIONS_DATA_TRANSFORM, ChartDataTransform, SeriesTypes, } from './usageChart'; import UsageStatsPerMin from './usageStatsPerMin'; import {isDisplayUtc} from './utils'; export interface UsageStatsOrganizationProps extends WithRouterProps { dataCategory: DataCategoryInfo['plural']; dataCategoryApiName: DataCategoryInfo['apiName']; dataCategoryName: string; dataDatetime: DateTimeObject; handleChangeState: (state: { clientDiscard?: boolean; dataCategory?: DataCategoryInfo['plural']; pagePeriod?: string | null; transform?: ChartDataTransform; }) => void; isSingleProject: boolean; organization: Organization; projectIds: number[]; chartTransform?: string; clientDiscard?: boolean; } type UsageStatsOrganizationState = { orgStats: UsageSeries | undefined; metricOrgStats?: UsageSeries | undefined; } & DeprecatedAsyncComponent['state']; /** * This component is replaced by EnhancedUsageStatsOrganization in getsentry, which inherits * heavily from this one. Take care if changing any existing function signatures to ensure backwards * compatibility. */ class UsageStatsOrganization< P extends UsageStatsOrganizationProps = UsageStatsOrganizationProps, S extends UsageStatsOrganizationState = UsageStatsOrganizationState, > extends DeprecatedAsyncComponent { componentDidUpdate(prevProps: UsageStatsOrganizationProps) { const { dataDatetime: prevDateTime, projectIds: prevProjectIds, dataCategoryApiName: prevDataCategoryApiName, } = prevProps; const { dataDatetime: currDateTime, projectIds: currProjectIds, dataCategoryApiName: currentDataCategoryApiName, } = this.props; if ( prevDateTime.start !== currDateTime.start || prevDateTime.end !== currDateTime.end || prevDateTime.period !== currDateTime.period || prevDateTime.utc !== currDateTime.utc || prevDataCategoryApiName !== currentDataCategoryApiName || !isEqual(prevProjectIds, currProjectIds) ) { this.reloadData(); } } getEndpoints(): ReturnType { return [['orgStats', this.endpointPath, {query: this.endpointQuery}]]; } /** List of components to render on single-project view */ get projectDetails(): JSX.Element[] { return []; } get endpointPath() { const {organization} = this.props; return `/organizations/${organization.slug}/stats_v2/`; } get endpointQueryDatetime() { const {dataDatetime} = this.props; const queryDatetime = dataDatetime.start && dataDatetime.end ? { start: dataDatetime.start, end: dataDatetime.end, utc: dataDatetime.utc, } : { statsPeriod: dataDatetime.period || DEFAULT_STATS_PERIOD, }; return queryDatetime; } get endpointQuery() { const {dataDatetime, projectIds, dataCategoryApiName} = this.props; const queryDatetime = this.endpointQueryDatetime; return { ...queryDatetime, interval: getSeriesApiInterval(dataDatetime), groupBy: ['outcome', 'reason'], project: projectIds, field: ['sum(quantity)'], category: dataCategoryApiName, }; } get chartData(): { cardStats: { accepted?: string; filtered?: string; invalid?: string; rateLimited?: string; total?: string; }; chartDateEnd: string; chartDateEndDisplay: string; chartDateInterval: IntervalPeriod; chartDateStart: string; chartDateStartDisplay: string; chartDateTimezoneDisplay: string; chartDateUtc: boolean; chartStats: ChartStats; chartSubLabels: TooltipSubLabel[]; chartTransform: ChartDataTransform; dataError?: Error; } { return { ...mapSeriesToChart({ orgStats: this.state.orgStats, chartDateInterval: this.chartDateRange.chartDateInterval, chartDateUtc: this.chartDateRange.chartDateUtc, dataCategory: this.props.dataCategory, endpointQuery: this.endpointQuery, }), ...this.chartDateRange, ...this.chartTransform, }; } get chartTransform(): {chartTransform: ChartDataTransform} { const {chartTransform} = this.props; switch (chartTransform) { case ChartDataTransform.CUMULATIVE: case ChartDataTransform.PERIODIC: return {chartTransform}; default: return {chartTransform: ChartDataTransform.PERIODIC}; } } get chartDateRange(): { chartDateEnd: string; chartDateEndDisplay: string; chartDateInterval: IntervalPeriod; chartDateStart: string; chartDateStartDisplay: string; chartDateTimezoneDisplay: string; chartDateUtc: boolean; } { const {orgStats} = this.state; const {dataDatetime} = this.props; const interval = getSeriesApiInterval(dataDatetime); // Use fillers as loading/error states will not display datetime at all if (!orgStats || !orgStats.intervals) { return { chartDateInterval: interval, chartDateStart: '', chartDateEnd: '', chartDateUtc: true, chartDateStartDisplay: '', chartDateEndDisplay: '', chartDateTimezoneDisplay: '', }; } const {intervals} = orgStats; const intervalHours = parsePeriodToHours(interval); // Keep datetime in UTC until we want to display it to users const startTime = moment(intervals[0]).utc(); const endTime = intervals.length < 2 ? moment(startTime) // when statsPeriod and interval is the same value : moment(intervals[intervals.length - 1]).utc(); const useUtc = isDisplayUtc(dataDatetime); // If interval is a day or more, use UTC to format date. Otherwise, the date // may shift ahead/behind when converting to the user's local time. const FORMAT_DATETIME = intervalHours >= 24 ? FORMAT_DATETIME_DAILY : FORMAT_DATETIME_HOURLY; const xAxisStart = moment(startTime); const xAxisEnd = moment(endTime); const displayStart = useUtc ? moment(startTime).utc() : moment(startTime).local(); const displayEnd = useUtc ? moment(endTime).utc() : moment(endTime).local(); if (intervalHours < 24) { displayEnd.add(intervalHours, 'h'); } return { chartDateInterval: interval, chartDateStart: xAxisStart.format(), chartDateEnd: xAxisEnd.format(), chartDateUtc: useUtc, chartDateStartDisplay: displayStart.format(FORMAT_DATETIME), chartDateEndDisplay: displayEnd.format(FORMAT_DATETIME), chartDateTimezoneDisplay: displayStart.format('Z'), }; } get chartProps(): UsageChartProps { const {dataCategory, clientDiscard, handleChangeState} = this.props; const {error, errors, loading} = this.state; const { chartStats, dataError, chartDateInterval, chartDateStart, chartDateEnd, chartDateUtc, chartTransform, chartSubLabels, } = this.chartData; const hasError = error || !!dataError; const chartErrors: any = dataError ? {...errors, data: dataError} : errors; // TODO(ts): AsyncComponent const chartProps = { isLoading: loading, isError: hasError, errors: chartErrors, title: ' ', // Force the title to be blank footer: this.renderChartFooter(), dataCategory, dataTransform: chartTransform, usageDateStart: chartDateStart, usageDateEnd: chartDateEnd, usageDateShowUtc: chartDateUtc, usageDateInterval: chartDateInterval, usageStats: chartStats, chartTooltip: { subLabels: chartSubLabels, skipZeroValuedSubLabels: true, }, legendSelected: {[SeriesTypes.CLIENT_DISCARD]: !!clientDiscard}, onLegendSelectChanged: ({name, selected}) => { if (name === SeriesTypes.CLIENT_DISCARD) { handleChangeState({clientDiscard: selected[name]}); } }, } as UsageChartProps; return chartProps; } get cardMetadata() { const { dataCategory, dataCategoryName, organization, projectIds, router, dataCategoryApiName, } = this.props; const {total, accepted, invalid, rateLimited, filtered} = this.chartData.cardStats; const navigateToInboundFilterSettings = (event: ReactMouseEvent) => { event.preventDefault(); const url = `/settings/${organization.slug}/projects/:projectId/filters/data-filters/`; if (router) { navigateTo(url, router); } }; const cardMetadata: Record = { total: { title: tct('Total [dataCategory]', {dataCategory: dataCategoryName}), score: total, }, accepted: { title: tct('Accepted [dataCategory]', {dataCategory: dataCategoryName}), help: tct('Accepted [dataCategory] were successfully processed by Sentry', { dataCategory, }), score: accepted, trend: ( ), }, filtered: { title: tct('Filtered [dataCategory]', {dataCategory: dataCategoryName}), help: tct( 'Filtered [dataCategory] were blocked due to your [filterSettings: inbound data filter] rules', { dataCategory, filterSettings: ( navigateToInboundFilterSettings(event)} /> ), } ), score: filtered, }, rateLimited: { title: tct('Rate Limited [dataCategory]', {dataCategory: dataCategoryName}), help: tct( 'Rate Limited [dataCategory] were discarded due to rate limits or quota', {dataCategory} ), score: rateLimited, }, invalid: { title: tct('Invalid [dataCategory]', {dataCategory: dataCategoryName}), help: tct( 'Invalid [dataCategory] were sent by the SDK and were discarded because the data did not meet the basic schema requirements', {dataCategory} ), score: invalid, }, }; return cardMetadata; } renderCards() { const {loading} = this.state; const cardMetadata = Object.values(this.cardMetadata); return cardMetadata.map((card, i) => ( )); } renderChart() { const {loading} = this.state; return ; } renderChartFooter = () => { const {handleChangeState, clientDiscard} = this.props; const {loading, error} = this.state; const { chartDateInterval, chartTransform, chartDateStartDisplay, chartDateEndDisplay, chartDateTimezoneDisplay, } = this.chartData; return (
{t('Date Range:')} {loading || error ? ( ) : ( tct('[start] — [end] ([timezone] UTC, [interval] interval)', { start: chartDateStartDisplay, end: chartDateEndDisplay, timezone: chartDateTimezoneDisplay, interval: chartDateInterval, }) )} {(this.chartData.chartStats.clientDiscard ?? []).length > 0 && ( {t('Show client-discarded data:')} { handleChangeState({clientDiscard: !clientDiscard}); }} isActive={clientDiscard} /> )} handleChangeState({transform: val as ChartDataTransform}) } />
); }; renderProjectDetails() { const {isSingleProject} = this.props; const projectDetails = this.projectDetails.map((projectDetailComponent, i) => ( {projectDetailComponent} )); return isSingleProject ? projectDetails : null; } renderComponent() { return ( {this.renderCards()} {this.renderChart()} {this.renderProjectDetails()} ); } } export default UsageStatsOrganization; const PageGrid = styled('div')` display: grid; grid-template-columns: 1fr; gap: ${space(2)}; @media (min-width: ${p => p.theme.breakpoints.small}) { grid-template-columns: repeat(2, 1fr); } @media (min-width: ${p => p.theme.breakpoints.large}) { grid-template-columns: repeat(5, 1fr); } `; const StyledScoreCard = styled(ScoreCard)` grid-column: auto / span 1; margin: 0; `; const ChartWrapper = styled('div')` grid-column: 1 / -1; `; const Footer = styled('div')` display: flex; flex-direction: row; flex-wrap: wrap; align-items: center; gap: ${space(1.5)}; padding: ${space(1)} ${space(3)}; border-top: 1px solid ${p => p.theme.border}; > *:first-child { flex-grow: 1; } `; const FooterDate = styled('div')` display: flex; flex-direction: row; align-items: center; > ${SectionHeading} { margin-right: ${space(1.5)}; } > span:last-child { font-weight: ${p => p.theme.fontWeightNormal}; font-size: ${p => p.theme.fontSizeMedium}; } `;