mirror of
https://github.com/grafana/grafana.git
synced 2025-02-25 18:55:37 -06:00
RangeUtils: migrate logic from kbn to grafana/data (#27347)
This commit is contained in:
parent
6c5a0421fe
commit
febbc60e8b
43
packages/grafana-data/src/datetime/rangeutil.test.ts
Normal file
43
packages/grafana-data/src/datetime/rangeutil.test.ts
Normal file
@ -0,0 +1,43 @@
|
|||||||
|
import { rangeUtil } from './index';
|
||||||
|
|
||||||
|
describe('Range Utils', () => {
|
||||||
|
describe('relative time', () => {
|
||||||
|
it('should identify absolute vs relative', () => {
|
||||||
|
expect(
|
||||||
|
rangeUtil.isRelativeTimeRange({
|
||||||
|
from: '1234',
|
||||||
|
to: '4567',
|
||||||
|
})
|
||||||
|
).toBe(false);
|
||||||
|
expect(
|
||||||
|
rangeUtil.isRelativeTimeRange({
|
||||||
|
from: 'now-5',
|
||||||
|
to: 'now',
|
||||||
|
})
|
||||||
|
).toBe(true);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
describe('describe_interval', () => {
|
||||||
|
it('falls back to seconds if input is a number', () => {
|
||||||
|
expect(rangeUtil.describeInterval('123')).toEqual({
|
||||||
|
sec: 1,
|
||||||
|
type: 's',
|
||||||
|
count: 123,
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
it('parses a valid time unt string correctly', () => {
|
||||||
|
expect(rangeUtil.describeInterval('123h')).toEqual({
|
||||||
|
sec: 3600,
|
||||||
|
type: 'h',
|
||||||
|
count: 123,
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
it('fails if input is invalid', () => {
|
||||||
|
expect(() => rangeUtil.describeInterval('123xyz')).toThrow();
|
||||||
|
expect(() => rangeUtil.describeInterval('xyz')).toThrow();
|
||||||
|
});
|
||||||
|
});
|
||||||
|
});
|
@ -1,10 +1,11 @@
|
|||||||
import each from 'lodash/each';
|
import each from 'lodash/each';
|
||||||
import groupBy from 'lodash/groupBy';
|
import groupBy from 'lodash/groupBy';
|
||||||
|
import has from 'lodash/has';
|
||||||
|
|
||||||
import { RawTimeRange, TimeRange, TimeZone } from '../types/time';
|
import { RawTimeRange, TimeRange, TimeZone, IntervalValues } from '../types/time';
|
||||||
|
|
||||||
import * as dateMath from './datemath';
|
import * as dateMath from './datemath';
|
||||||
import { isDateTime } from './moment_wrapper';
|
import { isDateTime, DateTime } from './moment_wrapper';
|
||||||
import { timeZoneAbbrevation, dateTimeFormat, dateTimeFormatTimeAgo } from './formatter';
|
import { timeZoneAbbrevation, dateTimeFormat, dateTimeFormatTimeAgo } from './formatter';
|
||||||
import { dateTimeParse } from './parser';
|
import { dateTimeParse } from './parser';
|
||||||
|
|
||||||
@ -221,3 +222,198 @@ export const convertRawToRange = (raw: RawTimeRange, timeZone?: TimeZone): TimeR
|
|||||||
|
|
||||||
return { from, to, raw: { from, to } };
|
return { from, to, raw: { from, to } };
|
||||||
};
|
};
|
||||||
|
|
||||||
|
function isRelativeTime(v: DateTime | string) {
|
||||||
|
if (typeof v === 'string') {
|
||||||
|
return (v as string).indexOf('now') >= 0;
|
||||||
|
}
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function isRelativeTimeRange(raw: RawTimeRange): boolean {
|
||||||
|
return isRelativeTime(raw.from) || isRelativeTime(raw.to);
|
||||||
|
}
|
||||||
|
|
||||||
|
export function secondsToHms(seconds: number): string {
|
||||||
|
const numYears = Math.floor(seconds / 31536000);
|
||||||
|
if (numYears) {
|
||||||
|
return numYears + 'y';
|
||||||
|
}
|
||||||
|
const numDays = Math.floor((seconds % 31536000) / 86400);
|
||||||
|
if (numDays) {
|
||||||
|
return numDays + 'd';
|
||||||
|
}
|
||||||
|
const numHours = Math.floor(((seconds % 31536000) % 86400) / 3600);
|
||||||
|
if (numHours) {
|
||||||
|
return numHours + 'h';
|
||||||
|
}
|
||||||
|
const numMinutes = Math.floor((((seconds % 31536000) % 86400) % 3600) / 60);
|
||||||
|
if (numMinutes) {
|
||||||
|
return numMinutes + 'm';
|
||||||
|
}
|
||||||
|
const numSeconds = Math.floor((((seconds % 31536000) % 86400) % 3600) % 60);
|
||||||
|
if (numSeconds) {
|
||||||
|
return numSeconds + 's';
|
||||||
|
}
|
||||||
|
const numMilliseconds = Math.floor(seconds * 1000.0);
|
||||||
|
if (numMilliseconds) {
|
||||||
|
return numMilliseconds + 'ms';
|
||||||
|
}
|
||||||
|
|
||||||
|
return 'less than a millisecond'; //'just now' //or other string you like;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function calculateInterval(range: TimeRange, resolution: number, lowLimitInterval?: string): IntervalValues {
|
||||||
|
let lowLimitMs = 1; // 1 millisecond default low limit
|
||||||
|
if (lowLimitInterval) {
|
||||||
|
lowLimitMs = intervalToMs(lowLimitInterval);
|
||||||
|
}
|
||||||
|
|
||||||
|
let intervalMs = roundInterval((range.to.valueOf() - range.from.valueOf()) / resolution);
|
||||||
|
if (lowLimitMs > intervalMs) {
|
||||||
|
intervalMs = lowLimitMs;
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
intervalMs: intervalMs,
|
||||||
|
interval: secondsToHms(intervalMs / 1000),
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
const interval_regex = /(\d+(?:\.\d+)?)(ms|[Mwdhmsy])/;
|
||||||
|
// histogram & trends
|
||||||
|
const intervals_in_seconds = {
|
||||||
|
y: 31536000,
|
||||||
|
M: 2592000,
|
||||||
|
w: 604800,
|
||||||
|
d: 86400,
|
||||||
|
h: 3600,
|
||||||
|
m: 60,
|
||||||
|
s: 1,
|
||||||
|
ms: 0.001,
|
||||||
|
};
|
||||||
|
|
||||||
|
export function describeInterval(str: string) {
|
||||||
|
// Default to seconds if no unit is provided
|
||||||
|
if (Number(str)) {
|
||||||
|
return {
|
||||||
|
sec: intervals_in_seconds.s,
|
||||||
|
type: 's',
|
||||||
|
count: parseInt(str, 10),
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
const matches = str.match(interval_regex);
|
||||||
|
if (!matches || !has(intervals_in_seconds, matches[2])) {
|
||||||
|
throw new Error(
|
||||||
|
`Invalid interval string, has to be either unit-less or end with one of the following units: "${Object.keys(
|
||||||
|
intervals_in_seconds
|
||||||
|
).join(', ')}"`
|
||||||
|
);
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
sec: (intervals_in_seconds as any)[matches[2]] as number,
|
||||||
|
type: matches[2],
|
||||||
|
count: parseInt(matches[1], 10),
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export function intervalToSeconds(str: string): number {
|
||||||
|
const info = describeInterval(str);
|
||||||
|
return info.sec * info.count;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function intervalToMs(str: string): number {
|
||||||
|
const info = describeInterval(str);
|
||||||
|
return info.sec * 1000 * info.count;
|
||||||
|
}
|
||||||
|
|
||||||
|
export function roundInterval(interval: number) {
|
||||||
|
switch (true) {
|
||||||
|
// 0.015s
|
||||||
|
case interval < 15:
|
||||||
|
return 10; // 0.01s
|
||||||
|
// 0.035s
|
||||||
|
case interval < 35:
|
||||||
|
return 20; // 0.02s
|
||||||
|
// 0.075s
|
||||||
|
case interval < 75:
|
||||||
|
return 50; // 0.05s
|
||||||
|
// 0.15s
|
||||||
|
case interval < 150:
|
||||||
|
return 100; // 0.1s
|
||||||
|
// 0.35s
|
||||||
|
case interval < 350:
|
||||||
|
return 200; // 0.2s
|
||||||
|
// 0.75s
|
||||||
|
case interval < 750:
|
||||||
|
return 500; // 0.5s
|
||||||
|
// 1.5s
|
||||||
|
case interval < 1500:
|
||||||
|
return 1000; // 1s
|
||||||
|
// 3.5s
|
||||||
|
case interval < 3500:
|
||||||
|
return 2000; // 2s
|
||||||
|
// 7.5s
|
||||||
|
case interval < 7500:
|
||||||
|
return 5000; // 5s
|
||||||
|
// 12.5s
|
||||||
|
case interval < 12500:
|
||||||
|
return 10000; // 10s
|
||||||
|
// 17.5s
|
||||||
|
case interval < 17500:
|
||||||
|
return 15000; // 15s
|
||||||
|
// 25s
|
||||||
|
case interval < 25000:
|
||||||
|
return 20000; // 20s
|
||||||
|
// 45s
|
||||||
|
case interval < 45000:
|
||||||
|
return 30000; // 30s
|
||||||
|
// 1.5m
|
||||||
|
case interval < 90000:
|
||||||
|
return 60000; // 1m
|
||||||
|
// 3.5m
|
||||||
|
case interval < 210000:
|
||||||
|
return 120000; // 2m
|
||||||
|
// 7.5m
|
||||||
|
case interval < 450000:
|
||||||
|
return 300000; // 5m
|
||||||
|
// 12.5m
|
||||||
|
case interval < 750000:
|
||||||
|
return 600000; // 10m
|
||||||
|
// 12.5m
|
||||||
|
case interval < 1050000:
|
||||||
|
return 900000; // 15m
|
||||||
|
// 25m
|
||||||
|
case interval < 1500000:
|
||||||
|
return 1200000; // 20m
|
||||||
|
// 45m
|
||||||
|
case interval < 2700000:
|
||||||
|
return 1800000; // 30m
|
||||||
|
// 1.5h
|
||||||
|
case interval < 5400000:
|
||||||
|
return 3600000; // 1h
|
||||||
|
// 2.5h
|
||||||
|
case interval < 9000000:
|
||||||
|
return 7200000; // 2h
|
||||||
|
// 4.5h
|
||||||
|
case interval < 16200000:
|
||||||
|
return 10800000; // 3h
|
||||||
|
// 9h
|
||||||
|
case interval < 32400000:
|
||||||
|
return 21600000; // 6h
|
||||||
|
// 1d
|
||||||
|
case interval < 86400000:
|
||||||
|
return 43200000; // 12h
|
||||||
|
// 1w
|
||||||
|
case interval < 604800000:
|
||||||
|
return 86400000; // 1d
|
||||||
|
// 3w
|
||||||
|
case interval < 1814400000:
|
||||||
|
return 604800000; // 1w
|
||||||
|
// 6w
|
||||||
|
case interval < 3628800000:
|
||||||
|
return 2592000000; // 30d
|
||||||
|
default:
|
||||||
|
return 31536000000; // 1y
|
||||||
|
}
|
||||||
|
}
|
||||||
|
@ -1,7 +1,7 @@
|
|||||||
import config from '../../core/config';
|
import config from '../../core/config';
|
||||||
import _ from 'lodash';
|
import _ from 'lodash';
|
||||||
import coreModule from 'app/core/core_module';
|
import coreModule from 'app/core/core_module';
|
||||||
import kbn from '../utils/kbn';
|
import { rangeUtil } from '@grafana/data';
|
||||||
|
|
||||||
export class User {
|
export class User {
|
||||||
id: number;
|
id: number;
|
||||||
@ -61,7 +61,7 @@ export class ContextSrv {
|
|||||||
if (!config.minRefreshInterval) {
|
if (!config.minRefreshInterval) {
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
return kbn.intervalToMs(interval) >= kbn.intervalToMs(config.minRefreshInterval);
|
return rangeUtil.intervalToMs(interval) >= rangeUtil.intervalToMs(config.minRefreshInterval);
|
||||||
}
|
}
|
||||||
|
|
||||||
getValidInterval(interval: string) {
|
getValidInterval(interval: string) {
|
||||||
|
@ -22,9 +22,9 @@ import {
|
|||||||
toUtc,
|
toUtc,
|
||||||
urlUtil,
|
urlUtil,
|
||||||
ExploreUrlState,
|
ExploreUrlState,
|
||||||
|
rangeUtil,
|
||||||
} from '@grafana/data';
|
} from '@grafana/data';
|
||||||
import store from 'app/core/store';
|
import store from 'app/core/store';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import { v4 as uuidv4 } from 'uuid';
|
import { v4 as uuidv4 } from 'uuid';
|
||||||
import { getNextRefIdChar } from './query';
|
import { getNextRefIdChar } from './query';
|
||||||
// Types
|
// Types
|
||||||
@ -488,7 +488,7 @@ export function getIntervals(range: TimeRange, lowLimit?: string, resolution?: n
|
|||||||
return { interval: '1s', intervalMs: 1000 };
|
return { interval: '1s', intervalMs: 1000 };
|
||||||
}
|
}
|
||||||
|
|
||||||
return kbn.calculateInterval(range, resolution, lowLimit);
|
return rangeUtil.calculateInterval(range, resolution, lowLimit);
|
||||||
}
|
}
|
||||||
|
|
||||||
export function deduplicateLogRowsById(rows: LogRowModel[]) {
|
export function deduplicateLogRowsById(rows: LogRowModel[]) {
|
||||||
|
@ -8,8 +8,8 @@ import {
|
|||||||
stringToJsRegex,
|
stringToJsRegex,
|
||||||
TimeRange,
|
TimeRange,
|
||||||
ValueFormatterIndex,
|
ValueFormatterIndex,
|
||||||
|
rangeUtil,
|
||||||
} from '@grafana/data';
|
} from '@grafana/data';
|
||||||
import { has } from 'lodash';
|
|
||||||
|
|
||||||
const kbn = {
|
const kbn = {
|
||||||
valueFormats: {} as ValueFormatterIndex,
|
valueFormats: {} as ValueFormatterIndex,
|
||||||
@ -25,123 +25,16 @@ const kbn = {
|
|||||||
ms: 0.001,
|
ms: 0.001,
|
||||||
} as { [index: string]: number },
|
} as { [index: string]: number },
|
||||||
regexEscape: (value: string) => value.replace(/[\\^$*+?.()|[\]{}\/]/g, '\\$&'),
|
regexEscape: (value: string) => value.replace(/[\\^$*+?.()|[\]{}\/]/g, '\\$&'),
|
||||||
roundInterval: (interval: number) => {
|
|
||||||
switch (true) {
|
|
||||||
// 0.015s
|
|
||||||
case interval < 15:
|
|
||||||
return 10; // 0.01s
|
|
||||||
// 0.035s
|
|
||||||
case interval < 35:
|
|
||||||
return 20; // 0.02s
|
|
||||||
// 0.075s
|
|
||||||
case interval < 75:
|
|
||||||
return 50; // 0.05s
|
|
||||||
// 0.15s
|
|
||||||
case interval < 150:
|
|
||||||
return 100; // 0.1s
|
|
||||||
// 0.35s
|
|
||||||
case interval < 350:
|
|
||||||
return 200; // 0.2s
|
|
||||||
// 0.75s
|
|
||||||
case interval < 750:
|
|
||||||
return 500; // 0.5s
|
|
||||||
// 1.5s
|
|
||||||
case interval < 1500:
|
|
||||||
return 1000; // 1s
|
|
||||||
// 3.5s
|
|
||||||
case interval < 3500:
|
|
||||||
return 2000; // 2s
|
|
||||||
// 7.5s
|
|
||||||
case interval < 7500:
|
|
||||||
return 5000; // 5s
|
|
||||||
// 12.5s
|
|
||||||
case interval < 12500:
|
|
||||||
return 10000; // 10s
|
|
||||||
// 17.5s
|
|
||||||
case interval < 17500:
|
|
||||||
return 15000; // 15s
|
|
||||||
// 25s
|
|
||||||
case interval < 25000:
|
|
||||||
return 20000; // 20s
|
|
||||||
// 45s
|
|
||||||
case interval < 45000:
|
|
||||||
return 30000; // 30s
|
|
||||||
// 1.5m
|
|
||||||
case interval < 90000:
|
|
||||||
return 60000; // 1m
|
|
||||||
// 3.5m
|
|
||||||
case interval < 210000:
|
|
||||||
return 120000; // 2m
|
|
||||||
// 7.5m
|
|
||||||
case interval < 450000:
|
|
||||||
return 300000; // 5m
|
|
||||||
// 12.5m
|
|
||||||
case interval < 750000:
|
|
||||||
return 600000; // 10m
|
|
||||||
// 12.5m
|
|
||||||
case interval < 1050000:
|
|
||||||
return 900000; // 15m
|
|
||||||
// 25m
|
|
||||||
case interval < 1500000:
|
|
||||||
return 1200000; // 20m
|
|
||||||
// 45m
|
|
||||||
case interval < 2700000:
|
|
||||||
return 1800000; // 30m
|
|
||||||
// 1.5h
|
|
||||||
case interval < 5400000:
|
|
||||||
return 3600000; // 1h
|
|
||||||
// 2.5h
|
|
||||||
case interval < 9000000:
|
|
||||||
return 7200000; // 2h
|
|
||||||
// 4.5h
|
|
||||||
case interval < 16200000:
|
|
||||||
return 10800000; // 3h
|
|
||||||
// 9h
|
|
||||||
case interval < 32400000:
|
|
||||||
return 21600000; // 6h
|
|
||||||
// 1d
|
|
||||||
case interval < 86400000:
|
|
||||||
return 43200000; // 12h
|
|
||||||
// 1w
|
|
||||||
case interval < 604800000:
|
|
||||||
return 86400000; // 1d
|
|
||||||
// 3w
|
|
||||||
case interval < 1814400000:
|
|
||||||
return 604800000; // 1w
|
|
||||||
// 6w
|
|
||||||
case interval < 3628800000:
|
|
||||||
return 2592000000; // 30d
|
|
||||||
default:
|
|
||||||
return 31536000000; // 1y
|
|
||||||
}
|
|
||||||
},
|
|
||||||
secondsToHms: (seconds: number) => {
|
|
||||||
const numYears = Math.floor(seconds / 31536000);
|
|
||||||
if (numYears) {
|
|
||||||
return numYears + 'y';
|
|
||||||
}
|
|
||||||
const numDays = Math.floor((seconds % 31536000) / 86400);
|
|
||||||
if (numDays) {
|
|
||||||
return numDays + 'd';
|
|
||||||
}
|
|
||||||
const numHours = Math.floor(((seconds % 31536000) % 86400) / 3600);
|
|
||||||
if (numHours) {
|
|
||||||
return numHours + 'h';
|
|
||||||
}
|
|
||||||
const numMinutes = Math.floor((((seconds % 31536000) % 86400) % 3600) / 60);
|
|
||||||
if (numMinutes) {
|
|
||||||
return numMinutes + 'm';
|
|
||||||
}
|
|
||||||
const numSeconds = Math.floor((((seconds % 31536000) % 86400) % 3600) % 60);
|
|
||||||
if (numSeconds) {
|
|
||||||
return numSeconds + 's';
|
|
||||||
}
|
|
||||||
const numMilliseconds = Math.floor(seconds * 1000.0);
|
|
||||||
if (numMilliseconds) {
|
|
||||||
return numMilliseconds + 'ms';
|
|
||||||
}
|
|
||||||
|
|
||||||
return 'less than a millisecond'; //'just now' //or other string you like;
|
/** @deprecated since 7.2, use grafana/data */
|
||||||
|
roundInterval: (interval: number) => {
|
||||||
|
deprecationWarning('kbn.ts', 'kbn.roundInterval()', '@grafana/data');
|
||||||
|
return rangeUtil.roundInterval(interval);
|
||||||
|
},
|
||||||
|
/** @deprecated since 7.2, use grafana/data */
|
||||||
|
secondsToHms: (s: number) => {
|
||||||
|
deprecationWarning('kbn.ts', 'kbn.secondsToHms()', '@grafana/data');
|
||||||
|
return rangeUtil.secondsToHms(s);
|
||||||
},
|
},
|
||||||
secondsToHhmmss: (seconds: number) => {
|
secondsToHhmmss: (seconds: number) => {
|
||||||
const strings: string[] = [];
|
const strings: string[] = [];
|
||||||
@ -161,59 +54,25 @@ const kbn = {
|
|||||||
str = str.replace(/\0/g, '\\0');
|
str = str.replace(/\0/g, '\\0');
|
||||||
return str;
|
return str;
|
||||||
},
|
},
|
||||||
|
/** @deprecated since 7.2, use grafana/data */
|
||||||
describeInterval: (str: string) => {
|
describeInterval: (str: string) => {
|
||||||
// Default to seconds if no unit is provided
|
deprecationWarning('kbn.ts', 'kbn.stringToJsRegex()', '@grafana/data');
|
||||||
if (Number(str)) {
|
return rangeUtil.describeInterval(str);
|
||||||
return {
|
|
||||||
sec: kbn.intervalsInSeconds.s,
|
|
||||||
type: 's',
|
|
||||||
count: parseInt(str, 10),
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
const matches = str.match(kbn.intervalRegex);
|
|
||||||
if (!matches || !has(kbn.intervalsInSeconds, matches[2])) {
|
|
||||||
throw new Error(
|
|
||||||
`Invalid interval string, has to be either unit-less or end with one of the following units: "${Object.keys(
|
|
||||||
kbn.intervalsInSeconds
|
|
||||||
).join(', ')}"`
|
|
||||||
);
|
|
||||||
} else {
|
|
||||||
return {
|
|
||||||
sec: kbn.intervalsInSeconds[matches[2]],
|
|
||||||
type: matches[2],
|
|
||||||
count: parseInt(matches[1], 10),
|
|
||||||
};
|
|
||||||
}
|
|
||||||
},
|
},
|
||||||
intervalToSeconds: (str: string): number => {
|
/** @deprecated since 7.2, use grafana/data */
|
||||||
const info = kbn.describeInterval(str);
|
intervalToSeconds: (str: string) => {
|
||||||
return info.sec * info.count;
|
deprecationWarning('kbn.ts', 'rangeUtil.intervalToSeconds()', '@grafana/data');
|
||||||
|
return rangeUtil.intervalToSeconds(str);
|
||||||
},
|
},
|
||||||
|
/** @deprecated since 7.2, use grafana/data */
|
||||||
intervalToMs: (str: string) => {
|
intervalToMs: (str: string) => {
|
||||||
const info = kbn.describeInterval(str);
|
deprecationWarning('kbn.ts', 'rangeUtil.intervalToMs()', '@grafana/data');
|
||||||
return info.sec * 1000 * info.count;
|
return rangeUtil.intervalToMs(str);
|
||||||
},
|
},
|
||||||
|
/** @deprecated since 7.2, use grafana/data */
|
||||||
calculateInterval: (range: TimeRange, resolution: number, lowLimitInterval?: string) => {
|
calculateInterval: (range: TimeRange, resolution: number, lowLimitInterval?: string) => {
|
||||||
let lowLimitMs = 1; // 1 millisecond default low limit
|
deprecationWarning('kbn.ts', 'kbn.calculateInterval()', '@grafana/data');
|
||||||
let intervalMs;
|
return rangeUtil.calculateInterval(range, resolution, lowLimitInterval);
|
||||||
|
|
||||||
if (lowLimitInterval) {
|
|
||||||
if (lowLimitInterval[0] === '>') {
|
|
||||||
lowLimitInterval = lowLimitInterval.slice(1);
|
|
||||||
}
|
|
||||||
lowLimitMs = kbn.intervalToMs(lowLimitInterval);
|
|
||||||
}
|
|
||||||
|
|
||||||
intervalMs = kbn.roundInterval((range.to.valueOf() - range.from.valueOf()) / resolution);
|
|
||||||
if (lowLimitMs > intervalMs) {
|
|
||||||
intervalMs = lowLimitMs;
|
|
||||||
}
|
|
||||||
|
|
||||||
return {
|
|
||||||
intervalMs: intervalMs,
|
|
||||||
interval: kbn.secondsToHms(intervalMs / 1000),
|
|
||||||
};
|
|
||||||
},
|
},
|
||||||
queryColorDot: (color: string, diameter: string) => {
|
queryColorDot: (color: string, diameter: string) => {
|
||||||
return (
|
return (
|
||||||
@ -228,7 +87,7 @@ const kbn = {
|
|||||||
.replace(/[^\w ]+/g, '')
|
.replace(/[^\w ]+/g, '')
|
||||||
.replace(/ +/g, '-');
|
.replace(/ +/g, '-');
|
||||||
},
|
},
|
||||||
/** deprecated since 6.1, use grafana/data */
|
/** @deprecated since 6.1, use grafana/data */
|
||||||
stringToJsRegex: (str: string) => {
|
stringToJsRegex: (str: string) => {
|
||||||
deprecationWarning('kbn.ts', 'kbn.stringToJsRegex()', '@grafana/data');
|
deprecationWarning('kbn.ts', 'kbn.stringToJsRegex()', '@grafana/data');
|
||||||
return stringToJsRegex(str);
|
return stringToJsRegex(str);
|
||||||
|
@ -8,11 +8,10 @@ import appEvents from 'app/core/app_events';
|
|||||||
import { getBackendSrv } from '@grafana/runtime';
|
import { getBackendSrv } from '@grafana/runtime';
|
||||||
import { DashboardSrv } from '../dashboard/services/DashboardSrv';
|
import { DashboardSrv } from '../dashboard/services/DashboardSrv';
|
||||||
import DatasourceSrv from '../plugins/datasource_srv';
|
import DatasourceSrv from '../plugins/datasource_srv';
|
||||||
import { DataQuery, DataSourceApi } from '@grafana/data';
|
import { DataQuery, DataSourceApi, rangeUtil } from '@grafana/data';
|
||||||
import { PanelModel } from 'app/features/dashboard/state';
|
import { PanelModel } from 'app/features/dashboard/state';
|
||||||
import { getDefaultCondition } from './getAlertingValidationMessage';
|
import { getDefaultCondition } from './getAlertingValidationMessage';
|
||||||
import { CoreEvents } from 'app/types';
|
import { CoreEvents } from 'app/types';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import { promiseToDigest } from 'app/core/utils/promiseToDigest';
|
import { promiseToDigest } from 'app/core/utils/promiseToDigest';
|
||||||
|
|
||||||
export class AlertTabCtrl {
|
export class AlertTabCtrl {
|
||||||
@ -56,7 +55,7 @@ export class AlertTabCtrl {
|
|||||||
this.appSubUrl = config.appSubUrl;
|
this.appSubUrl = config.appSubUrl;
|
||||||
this.panelCtrl._enableAlert = this.enable;
|
this.panelCtrl._enableAlert = this.enable;
|
||||||
this.alertingMinIntervalSecs = config.alertingMinInterval;
|
this.alertingMinIntervalSecs = config.alertingMinInterval;
|
||||||
this.alertingMinInterval = kbn.secondsToHms(config.alertingMinInterval);
|
this.alertingMinInterval = rangeUtil.secondsToHms(config.alertingMinInterval);
|
||||||
}
|
}
|
||||||
|
|
||||||
$onInit() {
|
$onInit() {
|
||||||
@ -253,7 +252,7 @@ export class AlertTabCtrl {
|
|||||||
this.frequencyWarning = '';
|
this.frequencyWarning = '';
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const frequencySecs = kbn.intervalToSeconds(this.alert.frequency);
|
const frequencySecs = rangeUtil.intervalToSeconds(this.alert.frequency);
|
||||||
if (frequencySecs < this.alertingMinIntervalSecs) {
|
if (frequencySecs < this.alertingMinIntervalSecs) {
|
||||||
this.frequencyWarning =
|
this.frequencyWarning =
|
||||||
'A minimum evaluation interval of ' +
|
'A minimum evaluation interval of ' +
|
||||||
|
@ -22,10 +22,9 @@ import {
|
|||||||
IconButton,
|
IconButton,
|
||||||
} from '@grafana/ui';
|
} from '@grafana/ui';
|
||||||
const { Input, Switch } = LegacyForms;
|
const { Input, Switch } = LegacyForms;
|
||||||
import { NavModel, dateTimeFormat } from '@grafana/data';
|
import { NavModel, dateTimeFormat, rangeUtil } from '@grafana/data';
|
||||||
import { FilterInput } from 'app/core/components/FilterInput/FilterInput';
|
import { FilterInput } from 'app/core/components/FilterInput/FilterInput';
|
||||||
import { store } from 'app/store/store';
|
import { store } from 'app/store/store';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import { getTimeZone } from 'app/features/profile/state/selectors';
|
import { getTimeZone } from 'app/features/profile/state/selectors';
|
||||||
import { setSearchQuery } from './state/reducers';
|
import { setSearchQuery } from './state/reducers';
|
||||||
|
|
||||||
@ -37,7 +36,7 @@ const timeRangeValidationEvents: ValidationEvents = {
|
|||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
try {
|
try {
|
||||||
kbn.intervalToSeconds(value);
|
rangeUtil.intervalToSeconds(value);
|
||||||
return true;
|
return true;
|
||||||
} catch {
|
} catch {
|
||||||
return false;
|
return false;
|
||||||
@ -125,7 +124,7 @@ export class ApiKeysPage extends PureComponent<Props, any> {
|
|||||||
|
|
||||||
// make sure that secondsToLive is number or null
|
// make sure that secondsToLive is number or null
|
||||||
const secondsToLive = this.state.newApiKey['secondsToLive'];
|
const secondsToLive = this.state.newApiKey['secondsToLive'];
|
||||||
this.state.newApiKey['secondsToLive'] = secondsToLive ? kbn.intervalToSeconds(secondsToLive) : null;
|
this.state.newApiKey['secondsToLive'] = secondsToLive ? rangeUtil.intervalToSeconds(secondsToLive) : null;
|
||||||
this.props.addApiKey(this.state.newApiKey, openModal, this.props.includeExpired);
|
this.props.addApiKey(this.state.newApiKey, openModal, this.props.includeExpired);
|
||||||
this.setState((prevState: State) => {
|
this.setState((prevState: State) => {
|
||||||
return {
|
return {
|
||||||
|
@ -3,7 +3,6 @@ import { TimeZonePicker, Input, Tooltip, LegacyForms } from '@grafana/ui';
|
|||||||
import { DashboardModel } from '../../state/DashboardModel';
|
import { DashboardModel } from '../../state/DashboardModel';
|
||||||
import { TimeZone, rangeUtil } from '@grafana/data';
|
import { TimeZone, rangeUtil } from '@grafana/data';
|
||||||
import { config } from '@grafana/runtime';
|
import { config } from '@grafana/runtime';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import isEmpty from 'lodash/isEmpty';
|
import isEmpty from 'lodash/isEmpty';
|
||||||
import { selectors } from '@grafana/e2e-selectors';
|
import { selectors } from '@grafana/e2e-selectors';
|
||||||
|
|
||||||
@ -39,7 +38,7 @@ export class TimePickerSettings extends PureComponent<Props, State> {
|
|||||||
|
|
||||||
if (config.minRefreshInterval) {
|
if (config.minRefreshInterval) {
|
||||||
intervals = intervals.filter(rate => {
|
intervals = intervals.filter(rate => {
|
||||||
return kbn.intervalToMs(rate) >= kbn.intervalToMs(config.minRefreshInterval);
|
return rangeUtil.intervalToMs(rate) >= rangeUtil.intervalToMs(config.minRefreshInterval);
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1,10 +1,18 @@
|
|||||||
// Libraries
|
// Libraries
|
||||||
import _ from 'lodash';
|
import _ from 'lodash';
|
||||||
// Utils
|
// Utils
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import coreModule from 'app/core/core_module';
|
import coreModule from 'app/core/core_module';
|
||||||
// Types
|
// Types
|
||||||
import { dateMath, DefaultTimeRange, TimeRange, RawTimeRange, toUtc, dateTime, isDateTime } from '@grafana/data';
|
import {
|
||||||
|
dateMath,
|
||||||
|
DefaultTimeRange,
|
||||||
|
TimeRange,
|
||||||
|
RawTimeRange,
|
||||||
|
toUtc,
|
||||||
|
dateTime,
|
||||||
|
isDateTime,
|
||||||
|
rangeUtil,
|
||||||
|
} from '@grafana/data';
|
||||||
import { ITimeoutService, ILocationService } from 'angular';
|
import { ITimeoutService, ILocationService } from 'angular';
|
||||||
import { ContextSrv } from 'app/core/services/context_srv';
|
import { ContextSrv } from 'app/core/services/context_srv';
|
||||||
import { DashboardModel } from '../state/DashboardModel';
|
import { DashboardModel } from '../state/DashboardModel';
|
||||||
@ -115,7 +123,7 @@ export class TimeSrv {
|
|||||||
// when time window specified in ms
|
// when time window specified in ms
|
||||||
timeWindowMs = parseInt(timeWindow, 10);
|
timeWindowMs = parseInt(timeWindow, 10);
|
||||||
} else {
|
} else {
|
||||||
timeWindowMs = kbn.intervalToMs(timeWindow);
|
timeWindowMs = rangeUtil.intervalToMs(timeWindow);
|
||||||
}
|
}
|
||||||
|
|
||||||
return {
|
return {
|
||||||
@ -181,7 +189,7 @@ export class TimeSrv {
|
|||||||
|
|
||||||
if (interval) {
|
if (interval) {
|
||||||
const validInterval = this.contextSrv.getValidInterval(interval);
|
const validInterval = this.contextSrv.getValidInterval(interval);
|
||||||
const intervalMs = kbn.intervalToMs(validInterval);
|
const intervalMs = rangeUtil.intervalToMs(validInterval);
|
||||||
|
|
||||||
this.refreshTimer = this.timer.register(
|
this.refreshTimer = this.timer.register(
|
||||||
this.$timeout(() => {
|
this.$timeout(() => {
|
||||||
|
@ -5,7 +5,6 @@ import { map } from 'rxjs/operators';
|
|||||||
|
|
||||||
// Services & Utils
|
// Services & Utils
|
||||||
import { getDatasourceSrv } from 'app/features/plugins/datasource_srv';
|
import { getDatasourceSrv } from 'app/features/plugins/datasource_srv';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import templateSrv from 'app/features/templating/template_srv';
|
import templateSrv from 'app/features/templating/template_srv';
|
||||||
import { runRequest, preProcessPanelData } from './runRequest';
|
import { runRequest, preProcessPanelData } from './runRequest';
|
||||||
import { runSharedRequest, isSharedDashboardQuery } from '../../../plugins/datasource/dashboard';
|
import { runSharedRequest, isSharedDashboardQuery } from '../../../plugins/datasource/dashboard';
|
||||||
@ -26,6 +25,7 @@ import {
|
|||||||
DataConfigSource,
|
DataConfigSource,
|
||||||
TimeZone,
|
TimeZone,
|
||||||
LoadingState,
|
LoadingState,
|
||||||
|
rangeUtil,
|
||||||
} from '@grafana/data';
|
} from '@grafana/data';
|
||||||
|
|
||||||
export interface QueryRunnerOptions<
|
export interface QueryRunnerOptions<
|
||||||
@ -163,7 +163,7 @@ export class PanelQueryRunner {
|
|||||||
});
|
});
|
||||||
|
|
||||||
const lowerIntervalLimit = minInterval ? templateSrv.replace(minInterval, request.scopedVars) : ds.interval;
|
const lowerIntervalLimit = minInterval ? templateSrv.replace(minInterval, request.scopedVars) : ds.interval;
|
||||||
const norm = kbn.calculateInterval(timeRange, maxDataPoints, lowerIntervalLimit);
|
const norm = rangeUtil.calculateInterval(timeRange, maxDataPoints, lowerIntervalLimit);
|
||||||
|
|
||||||
// make shallow copy of scoped vars,
|
// make shallow copy of scoped vars,
|
||||||
// and add built in variables interval and interval_ms
|
// and add built in variables interval and interval_ms
|
||||||
|
@ -5,11 +5,10 @@ import _ from 'lodash';
|
|||||||
import coreModule from '../../core/core_module';
|
import coreModule from '../../core/core_module';
|
||||||
import appEvents from 'app/core/app_events';
|
import appEvents from 'app/core/app_events';
|
||||||
|
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import { store } from 'app/store/store';
|
import { store } from 'app/store/store';
|
||||||
import { CoreEvents } from 'app/types';
|
import { CoreEvents } from 'app/types';
|
||||||
import { getBackendSrv } from '@grafana/runtime';
|
import { getBackendSrv } from '@grafana/runtime';
|
||||||
import { locationUtil, urlUtil } from '@grafana/data';
|
import { locationUtil, urlUtil, rangeUtil } from '@grafana/data';
|
||||||
|
|
||||||
export const queryParamsToPreserve: { [key: string]: boolean } = {
|
export const queryParamsToPreserve: { [key: string]: boolean } = {
|
||||||
kiosk: true,
|
kiosk: true,
|
||||||
@ -97,7 +96,7 @@ export class PlaylistSrv {
|
|||||||
.get(`/api/playlists/${playlistId}/dashboards`)
|
.get(`/api/playlists/${playlistId}/dashboards`)
|
||||||
.then((dashboards: any) => {
|
.then((dashboards: any) => {
|
||||||
this.dashboards = dashboards;
|
this.dashboards = dashboards;
|
||||||
this.interval = kbn.intervalToMs(playlist.interval);
|
this.interval = rangeUtil.intervalToMs(playlist.interval);
|
||||||
this.next();
|
this.next();
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
|
@ -97,9 +97,7 @@ describe('interval actions', () => {
|
|||||||
.build();
|
.build();
|
||||||
|
|
||||||
const dependencies: UpdateAutoValueDependencies = {
|
const dependencies: UpdateAutoValueDependencies = {
|
||||||
kbn: {
|
calculateInterval: jest.fn(),
|
||||||
calculateInterval: jest.fn(),
|
|
||||||
} as any,
|
|
||||||
getTimeSrv: () => {
|
getTimeSrv: () => {
|
||||||
return ({
|
return ({
|
||||||
timeRange: jest.fn().mockReturnValue({
|
timeRange: jest.fn().mockReturnValue({
|
||||||
@ -124,7 +122,7 @@ describe('interval actions', () => {
|
|||||||
)
|
)
|
||||||
.whenAsyncActionIsDispatched(updateAutoValue(toVariableIdentifier(interval), dependencies), true);
|
.whenAsyncActionIsDispatched(updateAutoValue(toVariableIdentifier(interval), dependencies), true);
|
||||||
|
|
||||||
expect(dependencies.kbn.calculateInterval).toHaveBeenCalledTimes(0);
|
expect(dependencies.calculateInterval).toHaveBeenCalledTimes(0);
|
||||||
expect(dependencies.getTimeSrv().timeRange).toHaveBeenCalledTimes(0);
|
expect(dependencies.getTimeSrv().timeRange).toHaveBeenCalledTimes(0);
|
||||||
expect(dependencies.templateSrv.setGrafanaVariable).toHaveBeenCalledTimes(0);
|
expect(dependencies.templateSrv.setGrafanaVariable).toHaveBeenCalledTimes(0);
|
||||||
});
|
});
|
||||||
@ -150,9 +148,7 @@ describe('interval actions', () => {
|
|||||||
});
|
});
|
||||||
const setGrafanaVariableMock = jest.fn();
|
const setGrafanaVariableMock = jest.fn();
|
||||||
const dependencies: UpdateAutoValueDependencies = {
|
const dependencies: UpdateAutoValueDependencies = {
|
||||||
kbn: {
|
calculateInterval: jest.fn().mockReturnValue({ interval: '10s' }),
|
||||||
calculateInterval: jest.fn().mockReturnValue({ interval: '10s' }),
|
|
||||||
} as any,
|
|
||||||
getTimeSrv: () => {
|
getTimeSrv: () => {
|
||||||
return ({
|
return ({
|
||||||
timeRange: timeRangeMock,
|
timeRange: timeRangeMock,
|
||||||
@ -170,8 +166,8 @@ describe('interval actions', () => {
|
|||||||
)
|
)
|
||||||
.whenAsyncActionIsDispatched(updateAutoValue(toVariableIdentifier(interval), dependencies), true);
|
.whenAsyncActionIsDispatched(updateAutoValue(toVariableIdentifier(interval), dependencies), true);
|
||||||
|
|
||||||
expect(dependencies.kbn.calculateInterval).toHaveBeenCalledTimes(1);
|
expect(dependencies.calculateInterval).toHaveBeenCalledTimes(1);
|
||||||
expect(dependencies.kbn.calculateInterval).toHaveBeenCalledWith(
|
expect(dependencies.calculateInterval).toHaveBeenCalledWith(
|
||||||
{
|
{
|
||||||
from: '2001-01-01',
|
from: '2001-01-01',
|
||||||
to: '2001-01-02',
|
to: '2001-01-02',
|
||||||
|
@ -1,4 +1,4 @@
|
|||||||
import { AppEvents } from '@grafana/data';
|
import { AppEvents, rangeUtil } from '@grafana/data';
|
||||||
|
|
||||||
import { toVariablePayload, VariableIdentifier } from '../state/types';
|
import { toVariablePayload, VariableIdentifier } from '../state/types';
|
||||||
import { ThunkResult } from '../../../types';
|
import { ThunkResult } from '../../../types';
|
||||||
@ -6,7 +6,6 @@ import { createIntervalOptions } from './reducer';
|
|||||||
import { validateVariableSelectionState } from '../state/actions';
|
import { validateVariableSelectionState } from '../state/actions';
|
||||||
import { getVariable } from '../state/selectors';
|
import { getVariable } from '../state/selectors';
|
||||||
import { IntervalVariableModel } from '../types';
|
import { IntervalVariableModel } from '../types';
|
||||||
import kbn from '../../../core/utils/kbn';
|
|
||||||
import { getTimeSrv } from '../../dashboard/services/TimeSrv';
|
import { getTimeSrv } from '../../dashboard/services/TimeSrv';
|
||||||
import templateSrv from '../../templating/template_srv';
|
import templateSrv from '../../templating/template_srv';
|
||||||
import appEvents from '../../../core/app_events';
|
import appEvents from '../../../core/app_events';
|
||||||
@ -29,7 +28,7 @@ export const updateIntervalVariableOptions = (
|
|||||||
};
|
};
|
||||||
|
|
||||||
export interface UpdateAutoValueDependencies {
|
export interface UpdateAutoValueDependencies {
|
||||||
kbn: typeof kbn;
|
calculateInterval: typeof rangeUtil.calculateInterval;
|
||||||
getTimeSrv: typeof getTimeSrv;
|
getTimeSrv: typeof getTimeSrv;
|
||||||
templateSrv: typeof templateSrv;
|
templateSrv: typeof templateSrv;
|
||||||
}
|
}
|
||||||
@ -37,14 +36,14 @@ export interface UpdateAutoValueDependencies {
|
|||||||
export const updateAutoValue = (
|
export const updateAutoValue = (
|
||||||
identifier: VariableIdentifier,
|
identifier: VariableIdentifier,
|
||||||
dependencies: UpdateAutoValueDependencies = {
|
dependencies: UpdateAutoValueDependencies = {
|
||||||
kbn: kbn,
|
calculateInterval: rangeUtil.calculateInterval,
|
||||||
getTimeSrv: getTimeSrv,
|
getTimeSrv: getTimeSrv,
|
||||||
templateSrv: templateSrv,
|
templateSrv: templateSrv,
|
||||||
}
|
}
|
||||||
): ThunkResult<void> => (dispatch, getState) => {
|
): ThunkResult<void> => (dispatch, getState) => {
|
||||||
const variableInState = getVariable<IntervalVariableModel>(identifier.id, getState());
|
const variableInState = getVariable<IntervalVariableModel>(identifier.id, getState());
|
||||||
if (variableInState.auto) {
|
if (variableInState.auto) {
|
||||||
const res = dependencies.kbn.calculateInterval(
|
const res = dependencies.calculateInterval(
|
||||||
dependencies.getTimeSrv().timeRange(),
|
dependencies.getTimeSrv().timeRange(),
|
||||||
variableInState.auto_count,
|
variableInState.auto_count,
|
||||||
variableInState.auto_min
|
variableInState.auto_min
|
||||||
|
@ -2,8 +2,7 @@ import React, { FC } from 'react';
|
|||||||
import _ from 'lodash';
|
import _ from 'lodash';
|
||||||
|
|
||||||
import { TemplateSrv } from 'app/features/templating/template_srv';
|
import { TemplateSrv } from 'app/features/templating/template_srv';
|
||||||
import kbn from 'app/core/utils/kbn';
|
import { SelectableValue, rangeUtil } from '@grafana/data';
|
||||||
import { SelectableValue } from '@grafana/data';
|
|
||||||
import { Segment } from '@grafana/ui';
|
import { Segment } from '@grafana/ui';
|
||||||
import { alignmentPeriods, alignOptions } from '../constants';
|
import { alignmentPeriods, alignOptions } from '../constants';
|
||||||
|
|
||||||
@ -26,7 +25,7 @@ export const AlignmentPeriods: FC<Props> = ({
|
|||||||
}) => {
|
}) => {
|
||||||
const alignment = alignOptions.find(ap => ap.value === templateSrv.replace(perSeriesAligner));
|
const alignment = alignOptions.find(ap => ap.value === templateSrv.replace(perSeriesAligner));
|
||||||
const formatAlignmentText = usedAlignmentPeriod
|
const formatAlignmentText = usedAlignmentPeriod
|
||||||
? `${kbn.secondsToHms(usedAlignmentPeriod)} interval (${alignment ? alignment.text : ''})`
|
? `${rangeUtil.secondsToHms(usedAlignmentPeriod)} interval (${alignment ? alignment.text : ''})`
|
||||||
: '';
|
: '';
|
||||||
const options = alignmentPeriods.map(ap => ({
|
const options = alignmentPeriods.map(ap => ({
|
||||||
...ap,
|
...ap,
|
||||||
|
@ -5,7 +5,6 @@ import { notifyApp } from 'app/core/actions';
|
|||||||
import { createErrorNotification } from 'app/core/copy/appNotification';
|
import { createErrorNotification } from 'app/core/copy/appNotification';
|
||||||
import { AppNotificationTimeout } from 'app/types';
|
import { AppNotificationTimeout } from 'app/types';
|
||||||
import { store } from 'app/store/store';
|
import { store } from 'app/store/store';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import {
|
import {
|
||||||
DataFrame,
|
DataFrame,
|
||||||
DataQueryRequest,
|
DataQueryRequest,
|
||||||
@ -18,6 +17,7 @@ import {
|
|||||||
ScopedVars,
|
ScopedVars,
|
||||||
TimeRange,
|
TimeRange,
|
||||||
toDataFrame,
|
toDataFrame,
|
||||||
|
rangeUtil,
|
||||||
} from '@grafana/data';
|
} from '@grafana/data';
|
||||||
import { getBackendSrv, toDataQueryResponse } from '@grafana/runtime';
|
import { getBackendSrv, toDataQueryResponse } from '@grafana/runtime';
|
||||||
import { TemplateSrv } from 'app/features/templating/template_srv';
|
import { TemplateSrv } from 'app/features/templating/template_srv';
|
||||||
@ -420,7 +420,7 @@ export class CloudWatchDatasource extends DataSourceApi<CloudWatchQuery, CloudWa
|
|||||||
if (/^\d+$/.test(period)) {
|
if (/^\d+$/.test(period)) {
|
||||||
period = parseInt(period, 10);
|
period = parseInt(period, 10);
|
||||||
} else {
|
} else {
|
||||||
period = kbn.intervalToSeconds(period);
|
period = rangeUtil.intervalToSeconds(period);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (period < 1) {
|
if (period < 1) {
|
||||||
|
@ -3,11 +3,10 @@ import { QueryCtrl } from 'app/plugins/sdk';
|
|||||||
// import './css/query_editor.css';
|
// import './css/query_editor.css';
|
||||||
import TimegrainConverter from './time_grain_converter';
|
import TimegrainConverter from './time_grain_converter';
|
||||||
import './editor/editor_component';
|
import './editor/editor_component';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
|
|
||||||
import { TemplateSrv } from 'app/features/templating/template_srv';
|
import { TemplateSrv } from 'app/features/templating/template_srv';
|
||||||
import { auto, IPromise } from 'angular';
|
import { auto, IPromise } from 'angular';
|
||||||
import { DataFrame, PanelEvents } from '@grafana/data';
|
import { DataFrame, PanelEvents, rangeUtil } from '@grafana/data';
|
||||||
import { AzureQueryType, AzureMetricQuery } from './types';
|
import { AzureQueryType, AzureMetricQuery } from './types';
|
||||||
|
|
||||||
export interface ResultFormat {
|
export interface ResultFormat {
|
||||||
@ -490,7 +489,7 @@ export class AzureMonitorQueryCtrl extends QueryCtrl {
|
|||||||
const allowedTimeGrainsMs: number[] = [];
|
const allowedTimeGrainsMs: number[] = [];
|
||||||
timeGrains.forEach((tg: any) => {
|
timeGrains.forEach((tg: any) => {
|
||||||
if (tg.value !== 'auto') {
|
if (tg.value !== 'auto') {
|
||||||
allowedTimeGrainsMs.push(kbn.intervalToMs(TimegrainConverter.createKbnUnitFromISO8601Duration(tg.value)));
|
allowedTimeGrainsMs.push(rangeUtil.intervalToMs(TimegrainConverter.createKbnUnitFromISO8601Duration(tg.value)));
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
return allowedTimeGrainsMs;
|
return allowedTimeGrainsMs;
|
||||||
|
@ -1,5 +1,5 @@
|
|||||||
import _ from 'lodash';
|
import _ from 'lodash';
|
||||||
import kbn from 'app/core/utils/kbn';
|
import { rangeUtil } from '@grafana/data';
|
||||||
|
|
||||||
export default class TimeGrainConverter {
|
export default class TimeGrainConverter {
|
||||||
static createISO8601Duration(timeGrain: string | number, timeGrainUnit: any) {
|
static createISO8601Duration(timeGrain: string | number, timeGrainUnit: any) {
|
||||||
@ -36,11 +36,11 @@ export default class TimeGrainConverter {
|
|||||||
const timeGrains = _.filter(allowedTimeGrains, o => o !== 'auto');
|
const timeGrains = _.filter(allowedTimeGrains, o => o !== 'auto');
|
||||||
|
|
||||||
let closest = timeGrains[0];
|
let closest = timeGrains[0];
|
||||||
const intervalMs = kbn.intervalToMs(interval);
|
const intervalMs = rangeUtil.intervalToMs(interval);
|
||||||
|
|
||||||
for (let i = 0; i < timeGrains.length; i++) {
|
for (let i = 0; i < timeGrains.length; i++) {
|
||||||
// abs (num - val) < abs (num - curr):
|
// abs (num - val) < abs (num - curr):
|
||||||
if (intervalMs > kbn.intervalToMs(timeGrains[i])) {
|
if (intervalMs > rangeUtil.intervalToMs(timeGrains[i])) {
|
||||||
if (i + 1 < timeGrains.length) {
|
if (i + 1 < timeGrains.length) {
|
||||||
closest = timeGrains[i + 1];
|
closest = timeGrains[i + 1];
|
||||||
} else {
|
} else {
|
||||||
|
@ -1,12 +1,11 @@
|
|||||||
import { css, cx } from 'emotion';
|
import { css, cx } from 'emotion';
|
||||||
import React, { PureComponent } from 'react';
|
import React, { PureComponent } from 'react';
|
||||||
import { MetadataInspectorProps } from '@grafana/data';
|
import { MetadataInspectorProps, rangeUtil } from '@grafana/data';
|
||||||
import { GraphiteDatasource } from './datasource';
|
import { GraphiteDatasource } from './datasource';
|
||||||
import { GraphiteQuery, GraphiteOptions, MetricTankSeriesMeta } from './types';
|
import { GraphiteQuery, GraphiteOptions, MetricTankSeriesMeta } from './types';
|
||||||
import { parseSchemaRetentions, getRollupNotice, getRuntimeConsolidationNotice } from './meta';
|
import { parseSchemaRetentions, getRollupNotice, getRuntimeConsolidationNotice } from './meta';
|
||||||
import { stylesFactory } from '@grafana/ui';
|
import { stylesFactory } from '@grafana/ui';
|
||||||
import { config } from 'app/core/config';
|
import { config } from 'app/core/config';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
|
|
||||||
export type Props = MetadataInspectorProps<GraphiteDatasource, GraphiteQuery, GraphiteOptions>;
|
export type Props = MetadataInspectorProps<GraphiteDatasource, GraphiteQuery, GraphiteOptions>;
|
||||||
|
|
||||||
@ -23,7 +22,7 @@ export class MetricTankMetaInspector extends PureComponent<Props, State> {
|
|||||||
const normFunc = (meta['consolidator-normfetch'] ?? '').replace('Consolidator', '');
|
const normFunc = (meta['consolidator-normfetch'] ?? '').replace('Consolidator', '');
|
||||||
|
|
||||||
const totalSeconds = buckets.reduce(
|
const totalSeconds = buckets.reduce(
|
||||||
(acc, bucket) => acc + (bucket.retention ? kbn.intervalToSeconds(bucket.retention) : 0),
|
(acc, bucket) => acc + (bucket.retention ? rangeUtil.intervalToSeconds(bucket.retention) : 0),
|
||||||
0
|
0
|
||||||
);
|
);
|
||||||
|
|
||||||
@ -45,7 +44,7 @@ export class MetricTankMetaInspector extends PureComponent<Props, State> {
|
|||||||
|
|
||||||
<div>
|
<div>
|
||||||
{buckets.map((bucket, index) => {
|
{buckets.map((bucket, index) => {
|
||||||
const bucketLength = bucket.retention ? kbn.intervalToSeconds(bucket.retention) : 0;
|
const bucketLength = bucket.retention ? rangeUtil.intervalToSeconds(bucket.retention) : 0;
|
||||||
const lengthPercent = (bucketLength / totalSeconds) * 100;
|
const lengthPercent = (bucketLength / totalSeconds) * 100;
|
||||||
const isActive = index === meta['archive-read'];
|
const isActive = index === meta['archive-read'];
|
||||||
|
|
||||||
|
@ -1,8 +1,7 @@
|
|||||||
import _ from 'lodash';
|
import _ from 'lodash';
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import { QueryCtrl } from 'app/plugins/sdk';
|
import { QueryCtrl } from 'app/plugins/sdk';
|
||||||
import { auto } from 'angular';
|
import { auto } from 'angular';
|
||||||
import { textUtil } from '@grafana/data';
|
import { textUtil, rangeUtil } from '@grafana/data';
|
||||||
|
|
||||||
export class OpenTsQueryCtrl extends QueryCtrl {
|
export class OpenTsQueryCtrl extends QueryCtrl {
|
||||||
static templateUrl = 'partials/query.editor.html';
|
static templateUrl = 'partials/query.editor.html';
|
||||||
@ -205,7 +204,7 @@ export class OpenTsQueryCtrl extends QueryCtrl {
|
|||||||
if (this.target.shouldDownsample) {
|
if (this.target.shouldDownsample) {
|
||||||
try {
|
try {
|
||||||
if (this.target.downsampleInterval) {
|
if (this.target.downsampleInterval) {
|
||||||
kbn.describeInterval(this.target.downsampleInterval);
|
rangeUtil.describeInterval(this.target.downsampleInterval);
|
||||||
} else {
|
} else {
|
||||||
errs.downsampleInterval = "You must supply a downsample interval (e.g. '1m' or '1h').";
|
errs.downsampleInterval = "You must supply a downsample interval (e.g. '1m' or '1h').";
|
||||||
}
|
}
|
||||||
|
@ -1,7 +1,6 @@
|
|||||||
// Libraries
|
// Libraries
|
||||||
import cloneDeep from 'lodash/cloneDeep';
|
import cloneDeep from 'lodash/cloneDeep';
|
||||||
// Services & Utils
|
// Services & Utils
|
||||||
import kbn from 'app/core/utils/kbn';
|
|
||||||
import {
|
import {
|
||||||
AnnotationEvent,
|
AnnotationEvent,
|
||||||
CoreApp,
|
CoreApp,
|
||||||
@ -17,6 +16,7 @@ import {
|
|||||||
ScopedVars,
|
ScopedVars,
|
||||||
TimeRange,
|
TimeRange,
|
||||||
TimeSeries,
|
TimeSeries,
|
||||||
|
rangeUtil,
|
||||||
} from '@grafana/data';
|
} from '@grafana/data';
|
||||||
import { forkJoin, merge, Observable, of, throwError } from 'rxjs';
|
import { forkJoin, merge, Observable, of, throwError } from 'rxjs';
|
||||||
import { catchError, filter, map, tap } from 'rxjs/operators';
|
import { catchError, filter, map, tap } from 'rxjs/operators';
|
||||||
@ -345,13 +345,13 @@ export class PrometheusDatasource extends DataSourceApi<PromQuery, PromOptions>
|
|||||||
const range = Math.ceil(end - start);
|
const range = Math.ceil(end - start);
|
||||||
|
|
||||||
// options.interval is the dynamically calculated interval
|
// options.interval is the dynamically calculated interval
|
||||||
let interval: number = kbn.intervalToSeconds(options.interval);
|
let interval: number = rangeUtil.intervalToSeconds(options.interval);
|
||||||
// Minimum interval ("Min step"), if specified for the query, or same as interval otherwise.
|
// Minimum interval ("Min step"), if specified for the query, or same as interval otherwise.
|
||||||
const minInterval = kbn.intervalToSeconds(
|
const minInterval = rangeUtil.intervalToSeconds(
|
||||||
templateSrv.replace(target.interval || options.interval, options.scopedVars)
|
templateSrv.replace(target.interval || options.interval, options.scopedVars)
|
||||||
);
|
);
|
||||||
// Scrape interval as specified for the query ("Min step") or otherwise taken from the datasource.
|
// Scrape interval as specified for the query ("Min step") or otherwise taken from the datasource.
|
||||||
const scrapeInterval = kbn.intervalToSeconds(target.interval || this.interval);
|
const scrapeInterval = rangeUtil.intervalToSeconds(target.interval || this.interval);
|
||||||
const intervalFactor = target.intervalFactor || 1;
|
const intervalFactor = target.intervalFactor || 1;
|
||||||
// Adjust the interval to take into account any specified minimum and interval factor plus Prometheus limits
|
// Adjust the interval to take into account any specified minimum and interval factor plus Prometheus limits
|
||||||
const adjustedInterval = this.adjustInterval(interval, minInterval, range, intervalFactor);
|
const adjustedInterval = this.adjustInterval(interval, minInterval, range, intervalFactor);
|
||||||
@ -533,7 +533,7 @@ export class PrometheusDatasource extends DataSourceApi<PromQuery, PromOptions>
|
|||||||
|
|
||||||
const scopedVars = {
|
const scopedVars = {
|
||||||
__interval: { text: this.interval, value: this.interval },
|
__interval: { text: this.interval, value: this.interval },
|
||||||
__interval_ms: { text: kbn.intervalToMs(this.interval), value: kbn.intervalToMs(this.interval) },
|
__interval_ms: { text: rangeUtil.intervalToMs(this.interval), value: rangeUtil.intervalToMs(this.interval) },
|
||||||
...this.getRangeScopedVars(getTimeSrv().timeRange()),
|
...this.getRangeScopedVars(getTimeSrv().timeRange()),
|
||||||
};
|
};
|
||||||
const interpolated = templateSrv.replace(query, scopedVars, this.interpolateQueryExpr);
|
const interpolated = templateSrv.replace(query, scopedVars, this.interpolateQueryExpr);
|
||||||
|
@ -15,7 +15,7 @@ import {
|
|||||||
import { auto } from 'angular';
|
import { auto } from 'angular';
|
||||||
import { getProcessedDataFrames } from 'app/features/dashboard/state/runRequest';
|
import { getProcessedDataFrames } from 'app/features/dashboard/state/runRequest';
|
||||||
import { DataProcessor } from '../graph/data_processor';
|
import { DataProcessor } from '../graph/data_processor';
|
||||||
import { LegacyResponseData, PanelEvents, DataFrame } from '@grafana/data';
|
import { LegacyResponseData, PanelEvents, DataFrame, rangeUtil } from '@grafana/data';
|
||||||
import { CoreEvents } from 'app/types';
|
import { CoreEvents } from 'app/types';
|
||||||
|
|
||||||
const X_BUCKET_NUMBER_DEFAULT = 30;
|
const X_BUCKET_NUMBER_DEFAULT = 30;
|
||||||
@ -182,7 +182,7 @@ export class HeatmapCtrl extends MetricsPanelCtrl {
|
|||||||
// Parse X bucket size (number or interval)
|
// Parse X bucket size (number or interval)
|
||||||
const isIntervalString = kbn.intervalRegex.test(this.panel.xBucketSize);
|
const isIntervalString = kbn.intervalRegex.test(this.panel.xBucketSize);
|
||||||
if (isIntervalString) {
|
if (isIntervalString) {
|
||||||
xBucketSize = kbn.intervalToMs(this.panel.xBucketSize);
|
xBucketSize = rangeUtil.intervalToMs(this.panel.xBucketSize);
|
||||||
} else if (
|
} else if (
|
||||||
isNaN(Number(this.panel.xBucketSize)) ||
|
isNaN(Number(this.panel.xBucketSize)) ||
|
||||||
this.panel.xBucketSize === '' ||
|
this.panel.xBucketSize === '' ||
|
||||||
|
Loading…
Reference in New Issue
Block a user