import React from 'react'; import { withRouter, Link } from 'react-router-dom' import Chart from 'chart.js/auto'; import { navigateToQuery } from '../../query' import * as api from '../../api' import * as storage from '../../util/storage' import LazyLoader from '../../components/lazy-loader' import GraphTooltip from './graph-tooltip' import { buildDataSet, METRIC_MAPPING, METRIC_LABELS, METRIC_FORMATTER, LoadingState } from './graph-util' import dateFormatter from './date-formatter'; import TopStats from './top-stats'; import { IntervalPicker, getStoredInterval, storeInterval } from './interval-picker'; import FadeIn from '../../fade-in'; import * as url from '../../util/url' import classNames from 'classnames'; const calculateMaximumY = function(dataset) { const yAxisValues = dataset .flatMap((item) => item.data) .map((item) => item || 0) if (yAxisValues) { return Math.max(...yAxisValues) } else { return 1 } } class LineGraph extends React.Component { constructor(props) { super(props); this.boundary = React.createRef() this.regenerateChart = this.regenerateChart.bind(this); this.updateWindowDimensions = this.updateWindowDimensions.bind(this); this.state = { exported: false }; } regenerateChart() { const { graphData, metric, query } = this.props const graphEl = document.getElementById("main-graph-canvas") this.ctx = graphEl.getContext('2d'); const dataSet = buildDataSet(graphData.plot, graphData.comparison_plot, graphData.present_index, this.ctx, METRIC_LABELS[metric]) return new Chart(this.ctx, { type: 'line', data: { labels: graphData.labels, datasets: dataSet }, options: { animation: false, plugins: { legend: { display: false }, tooltip: { enabled: false, mode: 'index', intersect: false, position: 'average', external: GraphTooltip(graphData, metric, query) }, }, responsive: true, maintainAspectRatio: false, onResize: this.updateWindowDimensions, elements: { line: { tension: 0 }, point: { radius: 0 } }, onClick: this.onClick.bind(this), scales: { y: { min: 0, suggestedMax: calculateMaximumY(dataSet), ticks: { callback: METRIC_FORMATTER[metric], maxTicksLimit: 8, color: this.props.darkTheme ? 'rgb(243, 244, 246)' : undefined }, grid: { zeroLineColor: 'transparent', drawBorder: false, } }, yComparison: { min: 0, suggestedMax: calculateMaximumY(dataSet), display: false, grid: { display: false }, }, x: { grid: { display: false }, ticks: { maxTicksLimit: 8, callback: function (val, _index, _ticks) { // realtime graph labels are not date strings const hasMultipleYears = typeof graphData.labels[0] !== 'string' ? false : graphData.labels // date format: 'yyyy-mm-dd'; maps to -> 'yyyy' .map(date => date.split('-')[0]) // reject any year that appears at a previous index, unique years only .filter((value, index, list) => list.indexOf(value) === index) .length > 1 if (graphData.interval === 'hour' && query.period !== 'day') { const date = dateFormatter({ interval: "date", longForm: false, period: query.period, shouldShowYear: hasMultipleYears, })(this.getLabelForValue(val)) const hour = dateFormatter({ interval: graphData.interval, longForm: false, period: query.period, shouldShowYear: hasMultipleYears, })(this.getLabelForValue(val)) // Returns a combination of date and hour. This is because // small intervals like hour may return multiple days // depending on the query period. return `${date}, ${hour}` } if (graphData.interval === 'minute' && query.period !== 'realtime') { return dateFormatter({ interval: "hour", longForm: false, period: query.period, })(this.getLabelForValue(val)) } return dateFormatter({ interval: graphData.interval, longForm: false, period: query.period, shouldShowYear: hasMultipleYears, })(this.getLabelForValue(val)) }, color: this.props.darkTheme ? 'rgb(243, 244, 246)' : undefined } } }, interaction: { mode: 'index', intersect: false, } } }); } repositionTooltip(e) { const tooltipEl = document.getElementById('chartjs-tooltip'); if (tooltipEl && window.innerWidth >= 768) { if (e.clientX > 0.66 * window.innerWidth) { tooltipEl.style.right = (window.innerWidth - e.clientX) + window.pageXOffset + 'px' tooltipEl.style.left = null; } else { tooltipEl.style.right = null; tooltipEl.style.left = e.clientX + window.pageXOffset + 'px' } tooltipEl.style.top = e.clientY + window.pageYOffset + 'px' tooltipEl.style.opacity = 1; } } componentDidMount() { if (this.props.graphData) { this.chart = this.regenerateChart(); } window.addEventListener('mousemove', this.repositionTooltip); } componentDidUpdate(prevProps) { const { graphData, darkTheme } = this.props; const tooltip = document.getElementById('chartjs-tooltip'); if ( graphData !== prevProps.graphData || darkTheme !== prevProps.darkTheme ) { if (graphData) { if (this.chart) { this.chart.destroy(); } this.chart = this.regenerateChart(); this.chart.update(); } if (tooltip) { tooltip.style.display = 'none'; } } if (!graphData) { if (this.chart) { this.chart.destroy(); } if (tooltip) { tooltip.style.display = 'none'; } } } componentWillUnmount() { // Ensure that the tooltip doesn't hang around when we are loading more data const tooltip = document.getElementById('chartjs-tooltip'); if (tooltip) { tooltip.style.opacity = 0; tooltip.style.display = 'none'; } window.removeEventListener('mousemove', this.repositionTooltip) } /** * The current ticks' limits are set to treat iPad (regular/Mini/Pro) as a regular screen. * @param {*} chart - The chart instance. * @param {*} dimensions - An object containing the new dimensions *of the chart.* */ updateWindowDimensions(chart, dimensions) { chart.options.scales.x.ticks.maxTicksLimit = dimensions.width < 720 ? 5 : 8 chart.options.scales.y.ticks.maxTicksLimit = dimensions.height < 233 ? 3 : 8 } onClick(e) { const element = this.chart.getElementsAtEventForMode(e, 'index', { intersect: false })[0] const date = this.chart.data.labels[element.index] if (this.props.graphData.interval === 'month') { navigateToQuery( this.props.history, this.props.query, { period: 'month', date, } ) } else if (this.props.graphData.interval === 'date') { navigateToQuery( this.props.history, this.props.query, { period: 'day', date, } ) } } pollExportReady() { if (document.cookie.includes('exporting')) { setTimeout(this.pollExportReady.bind(this), 1000); } else { this.setState({exported: false}) } } downloadSpinner() { this.setState({exported: true}); document.cookie = "exporting="; setTimeout(this.pollExportReady.bind(this), 1000); } downloadLink() { if (this.props.query.period !== 'realtime') { if (this.state.exported) { return (
) } else { const interval = this.props.graphData?.interval const queryParams = api.serializeQuery(this.props.query, [{ interval }]) const endpoint = `/${encodeURIComponent(this.props.site.domain)}/export${queryParams}` return ( ) } } } samplingNotice() { const samplePercent = this.props.topStatData && this.props.topStatData.sample_percent if (samplePercent < 100) { return (
) } } importedNotice() { const source = this.props.topStatData && this.props.topStatData.imported_source; if (source) { const withImported = this.props.topStatData.with_imported; const strike = withImported ? "" : " line-through" const target = url.setQuery('with_imported', !withImported) const tip = withImported ? "" : "do not "; return (
{ source[0].toUpperCase() }
) } } // This function is used for maintaining the main-graph/top-stats container height in the // loading process. The container height depends on how many top stat metrics are returned // from the API, but in the loading state, we don't know that yet. We can use localStorage // to keep track of the Top Stats container height. getTopStatsHeight() { if (this.props.topStatData) { return 'auto' } else { return `${storage.getItem(`topStatsHeight__${this.props.site.domain}`) || 89}px` } } render() { const { mainGraphRefreshing, updateMetric, updateInterval, metric, topStatData, query, site, graphData, lastLoadTimestamp } = this.props const canvasClass = classNames('mt-4 select-none', {'cursor-pointer': !['minute', 'hour'].includes(graphData?.interval)}) return (
{mainGraphRefreshing && renderLoader()}
{ this.downloadLink() } { this.samplingNotice() } { this.importedNotice() }
) } } const LineGraphWithRouter = withRouter(LineGraph) export default class VisitorGraph extends React.Component { constructor(props) { super(props) this.state = { topStatsLoadingState: LoadingState.loading, mainGraphLoadingState: LoadingState.loading, metric: storage.getItem(`metric__${this.props.site.domain}`) || 'visitors' } this.onVisible = this.onVisible.bind(this) this.updateMetric = this.updateMetric.bind(this) this.fetchTopStatData = this.fetchTopStatData.bind(this) this.fetchGraphData = this.fetchGraphData.bind(this) this.updateInterval = this.updateInterval.bind(this) } isIntervalValid(interval) { const { query, site } = this.props const validIntervals = site.validIntervalsByPeriod[query.period] || [] return validIntervals.includes(interval) } getIntervalFromStorage() { const { query, site } = this.props const storedInterval = getStoredInterval(query.period, site.domain) if (this.isIntervalValid(storedInterval)) { return storedInterval } else { return null } } updateInterval(interval) { if (this.isIntervalValid(interval)) { storeInterval(this.props.query.period, this.props.site.domain, interval) this.setState({ mainGraphLoadingState: LoadingState.refreshing, graphData: null }, this.fetchGraphData) } } onVisible() { this.setState({mainGraphLoadingState: LoadingState.loading}, this.fetchGraphData) this.fetchTopStatData() if (this.props.query.period === 'realtime') { document.addEventListener('tick', this.fetchGraphData) document.addEventListener('tick', this.fetchTopStatData) } } componentDidUpdate(prevProps, prevState) { const { metric } = this.state; const { query } = this.props if (query !== prevProps.query) { this.setState({ mainGraphLoadingState: LoadingState.loading, topStatsLoadingState: LoadingState.loading, graphData: null, topStatData: null }, this.fetchGraphData) this.fetchTopStatData() } if (metric !== prevState.metric) { this.setState({mainGraphLoadingState: LoadingState.refreshing}, this.fetchGraphData) } } resetMetric() { const { topStatData } = this.state const { query, site } = this.props const savedMetric = storage.getItem(`metric__${site.domain}`) const selectableMetrics = topStatData && topStatData.top_stats.map(({ name }) => METRIC_MAPPING[name]).filter(name => name) const canSelectSavedMetric = selectableMetrics && selectableMetrics.includes(savedMetric) if (query.filters.goal) { this.setState({ metric: 'conversions' }) } else if (canSelectSavedMetric) { this.setState({ metric: savedMetric }) } else { this.setState({ metric: 'visitors' }) } } componentWillUnmount() { document.removeEventListener('tick', this.fetchGraphData) document.removeEventListener('tick', this.fetchTopStatData) } storeTopStatsContainerHeight() { storage.setItem(`topStatsHeight__${this.props.site.domain}`, document.getElementById('top-stats-container').clientHeight) } updateMetric(clickedMetric) { if (this.state.metric == clickedMetric) return storage.setItem(`metric__${this.props.site.domain}`, clickedMetric) this.setState({ metric: clickedMetric, graphData: null }) } fetchGraphData() { const url = `/api/stats/${encodeURIComponent(this.props.site.domain)}/main-graph` let params = { metric: this.state.metric } const interval = this.getIntervalFromStorage() if (interval) { params.interval = interval } api.get(url, this.props.query, params) .then((res) => { this.setState({ mainGraphLoadingState: LoadingState.loaded, graphData: res }) return res }) .catch((err) => { console.log(err) this.setState({ mainGraphLoadingState: LoadingState.loaded, graphData: false }) }) } fetchTopStatData() { api.get(`/api/stats/${encodeURIComponent(this.props.site.domain)}/top-stats`, this.props.query) .then((res) => { res.top_stats = this.maybeRemoveFeatureFlaggedMetrics(res.top_stats) this.setState({ topStatsLoadingState: LoadingState.loaded, topStatData: res }, () => { this.storeTopStatsContainerHeight() this.resetMetric() }) return res }) } maybeRemoveFeatureFlaggedMetrics(top_stats) { if (this.props.site.flags.visits_metric) { return top_stats } else { return top_stats.filter((stat) => {return !(["Total visits", "Views per visit"].includes(stat.name))}) } } renderInner() { const { query, site } = this.props; const { graphData, metric, topStatData, topStatsLoadingState, mainGraphLoadingState } = this.state; const theme = document.querySelector('html').classList.contains('dark') || false const mainGraphRefreshing = (mainGraphLoadingState === LoadingState.refreshing) const topStatAndGraphLoaded = !!(topStatData && graphData) const shouldShow = topStatsLoadingState === LoadingState.loaded && LoadingState.isLoadedOrRefreshing(mainGraphLoadingState) && (topStatData && mainGraphRefreshing || topStatAndGraphLoaded) return ( ) } render() { const {mainGraphLoadingState, topStatsLoadingState} = this.state const showLoader = [mainGraphLoadingState, topStatsLoadingState].includes(LoadingState.loading) && mainGraphLoadingState !== LoadingState.refreshing return (
{showLoader && renderLoader()} {this.renderInner()}
) } } function renderLoader() { return (
) }