| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392 |
- import _ from 'lodash';
- import coreModule from 'app/core/core_module';
- import appEvents from 'app/core/app_events';
- import config from 'app/core/config';
- import { DashboardModel } from 'app/features/dashboard/state/DashboardModel';
- import { DashboardSearchHit } from 'app/types/search';
- export class BackendSrv {
- private inFlightRequests = {};
- private HTTP_REQUEST_CANCELED = -1;
- private noBackendCache: boolean;
- /** @ngInject */
- constructor(private $http, private $q, private $timeout, private contextSrv) {}
- get(url, params?) {
- return this.request({ method: 'GET', url: url, params: params });
- }
- delete(url) {
- return this.request({ method: 'DELETE', url: url });
- }
- post(url, data) {
- return this.request({ method: 'POST', url: url, data: data });
- }
- patch(url, data) {
- return this.request({ method: 'PATCH', url: url, data: data });
- }
- put(url, data) {
- return this.request({ method: 'PUT', url: url, data: data });
- }
- withNoBackendCache(callback) {
- this.noBackendCache = true;
- return callback().finally(() => {
- this.noBackendCache = false;
- });
- }
- requestErrorHandler(err) {
- if (err.isHandled) {
- return;
- }
- let data = err.data || { message: 'Unexpected error' };
- if (_.isString(data)) {
- data = { message: data };
- }
- if (err.status === 422) {
- appEvents.emit('alert-warning', ['Validation failed', data.message]);
- throw data;
- }
- let severity = 'error';
- if (err.status < 500) {
- severity = 'warning';
- }
- if (data.message) {
- let description = '';
- let message = data.message;
- if (message.length > 80) {
- description = message;
- message = 'Error';
- }
- appEvents.emit('alert-' + severity, [message, description]);
- }
- throw data;
- }
- request(options) {
- options.retry = options.retry || 0;
- const requestIsLocal = !options.url.match(/^http/);
- const firstAttempt = options.retry === 0;
- if (requestIsLocal) {
- if (this.contextSrv.user && this.contextSrv.user.orgId) {
- options.headers = options.headers || {};
- options.headers['X-Grafana-Org-Id'] = this.contextSrv.user.orgId;
- }
- if (options.url.indexOf('/') === 0) {
- options.url = options.url.substring(1);
- }
- }
- return this.$http(options).then(
- results => {
- if (options.method !== 'GET') {
- if (results && results.data.message) {
- if (options.showSuccessAlert !== false) {
- appEvents.emit('alert-success', [results.data.message]);
- }
- }
- }
- return results.data;
- },
- err => {
- // handle unauthorized
- if (err.status === 401 && this.contextSrv.user.isSignedIn && firstAttempt) {
- return this.loginPing()
- .then(() => {
- options.retry = 1;
- return this.request(options);
- })
- .catch(err => {
- if (err.status === 401) {
- window.location.href = config.appSubUrl + '/logout';
- throw err;
- }
- });
- }
- this.$timeout(this.requestErrorHandler.bind(this, err), 50);
- throw err;
- }
- );
- }
- addCanceler(requestId, canceler) {
- if (requestId in this.inFlightRequests) {
- this.inFlightRequests[requestId].push(canceler);
- } else {
- this.inFlightRequests[requestId] = [canceler];
- }
- }
- resolveCancelerIfExists(requestId) {
- const cancelers = this.inFlightRequests[requestId];
- if (!_.isUndefined(cancelers) && cancelers.length) {
- cancelers[0].resolve();
- }
- }
- datasourceRequest(options) {
- let canceler = null;
- options.retry = options.retry || 0;
- // A requestID is provided by the datasource as a unique identifier for a
- // particular query. If the requestID exists, the promise it is keyed to
- // is canceled, canceling the previous datasource request if it is still
- // in-flight.
- const requestId = options.requestId;
- if (requestId) {
- this.resolveCancelerIfExists(requestId);
- // create new canceler
- canceler = this.$q.defer();
- options.timeout = canceler.promise;
- this.addCanceler(requestId, canceler);
- }
- const requestIsLocal = !options.url.match(/^http/);
- const firstAttempt = options.retry === 0;
- if (requestIsLocal) {
- if (this.contextSrv.user && this.contextSrv.user.orgId) {
- options.headers = options.headers || {};
- options.headers['X-Grafana-Org-Id'] = this.contextSrv.user.orgId;
- }
- if (options.url.indexOf('/') === 0) {
- options.url = options.url.substring(1);
- }
- if (options.headers && options.headers.Authorization) {
- options.headers['X-DS-Authorization'] = options.headers.Authorization;
- delete options.headers.Authorization;
- }
- if (this.noBackendCache) {
- options.headers['X-Grafana-NoCache'] = 'true';
- }
- }
- return this.$http(options)
- .then(response => {
- if (!options.silent) {
- appEvents.emit('ds-request-response', response);
- }
- return response;
- })
- .catch(err => {
- if (err.status === this.HTTP_REQUEST_CANCELED) {
- throw { err, cancelled: true };
- }
- // handle unauthorized for backend requests
- if (requestIsLocal && firstAttempt && err.status === 401) {
- return this.loginPing()
- .then(() => {
- options.retry = 1;
- if (canceler) {
- canceler.resolve();
- }
- return this.datasourceRequest(options);
- })
- .catch(err => {
- if (err.status === 401) {
- window.location.href = config.appSubUrl + '/logout';
- throw err;
- }
- });
- }
- // populate error obj on Internal Error
- if (_.isString(err.data) && err.status === 500) {
- err.data = {
- error: err.statusText,
- response: err.data,
- };
- }
- // for Prometheus
- if (err.data && !err.data.message && _.isString(err.data.error)) {
- err.data.message = err.data.error;
- }
- if (!options.silent) {
- appEvents.emit('ds-request-error', err);
- }
- throw err;
- })
- .finally(() => {
- // clean up
- if (options.requestId) {
- this.inFlightRequests[options.requestId].shift();
- }
- });
- }
- loginPing() {
- return this.request({ url: '/api/login/ping', method: 'GET', retry: 1 });
- }
- search(query): Promise<DashboardSearchHit[]> {
- return this.get('/api/search', query);
- }
- getDashboardBySlug(slug) {
- return this.get(`/api/dashboards/db/${slug}`);
- }
- getDashboardByUid(uid: string) {
- return this.get(`/api/dashboards/uid/${uid}`);
- }
- getFolderByUid(uid: string) {
- return this.get(`/api/folders/${uid}`);
- }
- saveDashboard(dash, options) {
- options = options || {};
- return this.post('/api/dashboards/db/', {
- dashboard: dash,
- folderId: options.folderId,
- overwrite: options.overwrite === true,
- message: options.message || '',
- });
- }
- createFolder(payload: any) {
- return this.post('/api/folders', payload);
- }
- deleteFolder(uid: string, showSuccessAlert) {
- return this.request({ method: 'DELETE', url: `/api/folders/${uid}`, showSuccessAlert: showSuccessAlert === true });
- }
- deleteDashboard(uid, showSuccessAlert) {
- return this.request({
- method: 'DELETE',
- url: `/api/dashboards/uid/${uid}`,
- showSuccessAlert: showSuccessAlert === true,
- });
- }
- deleteFoldersAndDashboards(folderUids, dashboardUids) {
- const tasks = [];
- for (const folderUid of folderUids) {
- tasks.push(this.createTask(this.deleteFolder.bind(this), true, folderUid, true));
- }
- for (const dashboardUid of dashboardUids) {
- tasks.push(this.createTask(this.deleteDashboard.bind(this), true, dashboardUid, true));
- }
- return this.executeInOrder(tasks, []);
- }
- moveDashboards(dashboardUids, toFolder) {
- const tasks = [];
- for (const uid of dashboardUids) {
- tasks.push(this.createTask(this.moveDashboard.bind(this), true, uid, toFolder));
- }
- return this.executeInOrder(tasks, []).then(result => {
- return {
- totalCount: result.length,
- successCount: _.filter(result, { succeeded: true }).length,
- alreadyInFolderCount: _.filter(result, { alreadyInFolder: true }).length,
- };
- });
- }
- private moveDashboard(uid, toFolder) {
- const deferred = this.$q.defer();
- this.getDashboardByUid(uid).then(fullDash => {
- const model = new DashboardModel(fullDash.dashboard, fullDash.meta);
- if ((!fullDash.meta.folderId && toFolder.id === 0) || fullDash.meta.folderId === toFolder.id) {
- deferred.resolve({ alreadyInFolder: true });
- return;
- }
- const clone = model.getSaveModelClone();
- const options = {
- folderId: toFolder.id,
- overwrite: false,
- };
- this.saveDashboard(clone, options)
- .then(() => {
- deferred.resolve({ succeeded: true });
- })
- .catch(err => {
- if (err.data && err.data.status === 'plugin-dashboard') {
- err.isHandled = true;
- options.overwrite = true;
- this.saveDashboard(clone, options)
- .then(() => {
- deferred.resolve({ succeeded: true });
- })
- .catch(err => {
- deferred.resolve({ succeeded: false });
- });
- } else {
- deferred.resolve({ succeeded: false });
- }
- });
- });
- return deferred.promise;
- }
- private createTask(fn, ignoreRejections, ...args: any[]) {
- return result => {
- return fn
- .apply(null, args)
- .then(res => {
- return Array.prototype.concat(result, [res]);
- })
- .catch(err => {
- if (ignoreRejections) {
- return result;
- }
- throw err;
- });
- };
- }
- private executeInOrder(tasks, initialValue) {
- return tasks.reduce(this.$q.when, initialValue);
- }
- }
- coreModule.service('backendSrv', BackendSrv);
- //
- // Code below is to expore the service to react components
- //
- let singletonInstance: BackendSrv;
- export function setBackendSrv(instance: BackendSrv) {
- singletonInstance = instance;
- }
- export function getBackendSrv(): BackendSrv {
- return singletonInstance;
- }
|