title |
---|
Plugin migration guide |
This guide helps you identify the steps required to update a plugin from the Grafana version it currently supports to newer versions of Grafana.
Note: If you've successfully migrated your plugin using this guide, then share your experiences with us! If you find missing information, then we encourage you to submit an issue on GitHub so that we can improve this guide!
- Plugin migration guide
- Introduction
- Table of contents
- From version 9.3.x to 9.4.x
- From version 9.1.x to 9.2.x
- From version 8.x to 9.x
- 9.0 breaking changes
- theme.visualization.getColorByName replaces getColorForTheme
- VizTextDisplayOptions replaces TextDisplayOptions
- Changes in the internal of
backendSrv.fetch()
- GrafanaTheme2 and useStyles2 replaces getFormStyles
- /api/ds/query replaces /api/tsdb/query
- selectOptionInTest has been removed
- Toolkit 9 and webpack
- 9.0 breaking changes
- From version 8.3.x to 8.4.x
- From version 7.x.x to 8.x.x
- From version 6.2.x to 7.4.0
- From version 6.5.x to 7.3.0
- From version 6.x.x to 7.0.0
First, enable the topnav
feature flag in custom.ini
to check how your plugin renders in the new navigation layout:
[feature_toggles]
enable = topnav
If your plugin uses the onNavChanged
callback to inform Grafana of its nav model & sub pages, you should see that this results in duplicated navigation elements. If you disable topnav
it should look just as before.
When topnav
is enabled we need to update the plugin to take advantage of the new PluginPage
component and not call onNavChanged
. onNavChanged
is now deprecated.
Grafana now exposes a new PluginPage
component from @grafana/runtime
that hooks into the new navigation and page layouts and supports the old page layouts when the topnav
feature is disabled. This new component will also handle rendering the section navigation. The section navigation can include other core sections and other plugins. To control what pages are displayed in the section navigation for a specific plugin, Grafana will use the pages added in plugin.json
that have addToNav
set to true
.
This component is very easy to use. Simply wrap it around your page content:
import { PluginPage } from '@grafana/runtime';
...
return (
<PluginPage>
{your page content here}
</PluginPage>
);
Grafana will look at the URL to know what plugin and page should be active in the section nav, so this only works for pages you have specified in plugin.json
. PluginPage
will then render a page header based on the page name specified in plugin.json
.
The PluginPage
component also exposes a pageNav
property that is a NavModelItem
. This pageNav
property is useful for pages that are not defined in plugin.json
(e.g. individual item pages). The text
and description
you specify in the pageNav
model will be used to populate the breadcrumbs and page header.
Example:
const pageNav = {
text: 'Write errors cortex-prod-04',
description: 'Incident timeline and details'
};
return (
<PluginPage pageNav={pageNav}>
{your page content here}
</PluginPage>
);
The way the active page is matched in the breadcrumbs and section nav relies on the page routes being hierarchical. If you have a list page and an item page, the item page needs to be a subroute of the list page and the list page url needs to be specified in your plugin.json
. For example, you might have a list of users at /users
. This means that the item page for a specific user needs to be at /users/:id
. This may require some refactoring of your routes.
You can also create a further layer of hierarchy by specifying children
in the pageNav
model to created a page with tabbed navigation.
Example:
const pageNav = {
text: 'My page',
description: 'Incident timeline and details',
url: '/a/myorgid-pluginname-app',
children: [
{
url: '/a/myorgid-pluginname-app/tab1',
text: 'Tab1',
active: true,
},
{
url: '/a/myorgid-pluginname-app/tab2',
text: 'Tab1',
},
],
};
return (
<PluginPage pageNav={pageNav}>
{your page content here}
</PluginPage>
);
If you want to maintain backwards-compatibility with older versions of Grafana, one way is to implement a PluginPage
wrapper. If PluginPage
is available and the topnav
feature is enabled then use the real PluginPage
, otherwise fallback to whatever each plugin is doing today (including calling onNavChanged
).
Example:
import { PluginPageProps, PluginPage as RealPluginPage, config } from '@grafana/runtime';
export const PluginPage = RealPluginPage && config.featureToggles.topnav ? RealPluginPage : PluginPageFallback;
function PluginPageFallback(props: PluginPageProps) {
return props.children;
}
There’s an additional step (and if block) needed to hide/show tabs depending on if config.features.topnav
is true
. These changes will need to be made in the useNavModel.ts
file in your plugin:
// useNavModel.ts
import { config } from '@grafana/runtime';
...
export function useNavModel({ meta, rootPath, onNavChanged }: Args) {
const { pathname, search } = useLocation();
useEffect(() => {
if (config.featureToggles.topnav) {
return;
}
}, [config]);
...
It's recommended to use the <request>.GetHTTPHeader
or <request>.GetHTTPHeaders
methods when retrieving forwarded HTTP headers. See [Forward OAuth identity for the logged-in user]({{< relref "add-authentication-for-data-source-plugins.md#forward-oauth-identity-for-the-logged-in-user" >}}), [Forward cookies for the logged-in user
]({{< relref "add-authentication-for-data-source-plugins.md#forward-cookies-for-the-logged-in-user" >}}) or [Forward user header for the logged-in user]({{< relref "add-authentication-for-data-source-plugins.md#forward-user-header-for-the-logged-in-user" >}}) for example usages.
The grafana-plugin-sdk-go v0.147.0 introduces a new interface ForwardHTTPHeaders that QueryDataRequest
, CheckHealthRequest
and CallResourceRequest
implements.
Newly introduced forwarded HTTP headers in Grafana v9.4.0 are X-Grafana-User
, X-Panel-Id
, X-Dashboard-Uid
, X-Datasource-Uid
and X-Grafana-Org-Id
. Internally these are prefixed with http_
and sent as http_<HTTP header name>
in CheckHealthRequest.Headers and QueryDataRequest.Headers. By using the ForwardHTTPHeaders methods you're guaranteed to be able to operate on HTTP headers without using the prefix, i.e. X-Grafana-User
, X-Panel-Id
, X-Dashboard-Uid
, X-Datasource-Uid
and X-Grafana-Org-Id
.
In earlier versions of Grafana packages react
and react-dom
were installed during a yarn install
regardless of a plugins dependencies. In 9.2.0 the @grafana
packages declare these react packages as peerDependencies and will need adding to a plugins package.json
file for test commands to continue to run successfully.
Example:
// before
"dependencies": {
"@grafana/data": "9.1.0",
"@grafana/ui": "9.1.0",
},
// after
"dependencies": {
"@grafana/data": "9.2.0",
"@grafana/ui": "9.2.0",
"react": "17.0.2",
"react-dom": "17.0.2"
},
The typings of the NavModelItem
have improved to only allow a valid IconName
for the icon property. You can find the complete list of valid icons here. The icons specified in the list will work for older versions of Grafana 9.
Example:
// before
const model: NavModelItem = {
id: 'settings',
text: 'Settings',
icon: 'fa fa-cog',
url: `${baseUrl}/settings`,
};
// after
const model: NavModelItem = {
id: 'settings',
text: 'Settings',
icon: 'cog',
url: `${baseUrl}/settings`,
};
FieldProps, ModalProps, and QueryFieldProps are now exposed from @grafana/ui
. They can be imported in the same way as other types.
Example:
import { FieldProps, ModalProps, QueryFieldProps } from '@grafana/ui';
getColorForTheme
was removed, use theme.visualization.getColorByName
instead
Example:
// before
fillColor: getColorForTheme(panel.sparkline.fillColor, config.theme)
// after
fillColor: config.theme.visualization.getColorByName(panel.sparkline.fillColor),
TextDisplayOptions
was removed, use VizTextDisplayOptions
instead
Example:
// before
interface Options {
...
text?: TextDisplayOptions;
...
}
// after
interface Options {
...
text?: VizTextDisplayOptions;
...
}
We have changed the internals of backendSrv.fetch()
to throw an error when the response is an incorrect JSON. Make sure to handle possible errors on the callsite where using backendSrv.fetch()
(or any other backendSrv
methods)
// PREVIOUSLY: this was returning with an empty object {} - in case the response is an invalid JSON
return await getBackendSrv().post(`${API_ROOT}/${id}/install`);
// AFTER THIS CHANGE: the following will throw an error - in case the response is an invalid JSON
return await getBackendSrv().post(`${API_ROOT}/${id}/install`);
We have removed the deprecated getFormStyles
function from grafana-ui. Use GrafanaTheme2
and the useStyles2
hook instead
We have removed the deprecated /api/tsdb/query
metrics endpoint. Use [/api/ds/query]({{< relref "../http_api/data_source/#query-a-data-source" >}}) instead
The @grafana/ui
package helper function selectOptionInTest
used in frontend tests has been removed as it caused testing libraries to be bundled in the production code of Grafana. If you were using this helper function in your tests please update your code accordingly:
// before
import { selectOptionInTest } from '@grafana/ui';
// ...test usage
await selectOptionInTest(selectEl, 'Option 2');
// after
import { select } from 'react-select-event';
// ...test usage
await select(selectEl, 'Option 2', { container: document.body });
Plugins using custom Webpack configs could potentially break due to the changes between webpack@4 and webpack@5. Please refer to the official migration guide for assistance.
Webpack 5 does not include polyfills for node.js core modules by default (e.g. buffer
, stream
, os
). This can result in failed builds for plugins. If polyfills are required it is recommended to create a custom webpack config in the root of the plugin repo and add the required fallbacks:
// webpack.config.js
module.exports.getWebpackConfig = (config, options) => ({
...config,
resolve: {
...config.resolve,
fallback: {
os: require.resolve('os-browserify/browser'),
stream: require.resolve('stream-browserify'),
timers: require.resolve('timers-browserify'),
},
},
});
Please refer to the webpack build error messages or the official migration guide for assistance with fallbacks.
This section explains how to migrate Grafana v8.3.x plugins to the updated plugin system available in Grafana v8.4.x. Depending on your plugin, you need to perform one or more of the following steps.
Removed due to being an internal component.
Removed due to being an internal component.
In a previous release, we migrated to use a new routing system and introduced a new service for managing locations, navigation, and related information. In this release, we are making that new service the primary service.
Example: Import the service.
// before
import { getLocationSrv } from '@grafana/runtime';
// after
import { locationService } from '@grafana/runtime';
Example: Navigate to a path and add a new record in the navigation history so that you can navigate back to the previous one.
// before
getLocationSrv.update({
path: '/route-to-navigate-to',
replace: false,
});
// after
locationService.push('/route-to-navigate-to');
Example: Navigate to a path and replace the current record in the navigation history.
// before
getLocationSrv.update({
path: '/route-to-navigate-to',
replace: true,
});
// after
locationService.replace('/route-to-navigate-to');
Example: Update the search or query parameter for the current route and add a new record in the navigation history so that you can navigate back to the previous one.
// How to navigate to a new path
// before
getLocationSrv.update({
query: {
value: 1,
},
partial: true,
replace: false,
});
// after
locationService.partial({ value: 1 });
Example: Update the search or query parameter for the current route and add replacing it in the navigation history.
// before
getLocationSrv.update({
query: {
'var-variable': 1,
},
partial: true,
replace: true,
});
// after
locationService.partial({ 'var-variable': 1 }, true);
This section explains how to migrate Grafana v7.x.x plugins to the updated plugin system available in Grafana v8.x.x. Depending on your plugin, you need to perform one or more of the following steps. We have documented the breaking changes in Grafana v8.x.x and the steps you need to take to upgrade your plugin.
Use the new plugin sdk to run your backend plugin running in Grafana 8.
Add a dependency on the https://github.com/grafana/grafana-plugin-sdk-go
. We recommend using go modules to manage your dependencies.
Update your main
package to bootstrap via the new plugin sdk.
// before
package main
import (
"github.com/grafana/grafana_plugin_model/go/datasource"
hclog "github.com/hashicorp/go-hclog"
plugin "github.com/hashicorp/go-plugin"
"github.com/myorgid/datasource/pkg/plugin"
)
func main() {
pluginLogger.Debug("Running GRPC server")
ds, err := NewSampleDatasource(pluginLogger);
if err != nil {
pluginLogger.Error("Unable to create plugin");
}
plugin.Serve(&plugin.ServeConfig{
HandshakeConfig: plugin.HandshakeConfig{
ProtocolVersion: 1,
MagicCookieKey: "grafana_plugin_type",
MagicCookieValue: "datasource",
},
Plugins: map[string]plugin.Plugin{
"myorgid-datasource": &datasource.DatasourcePluginImpl{Plugin: ds},
},
GRPCServer: plugin.DefaultGRPCServer,
})
}
// after
package main
import (
"os"
"github.com/grafana/grafana-plugin-sdk-go/backend/log"
"github.com/grafana/grafana-plugin-sdk-go/backend/datasource"
"github.com/myorgid/datasource/pkg/plugin"
)
func main() {
log.DefaultLogger.Debug("Running GRPC server")
if err := datasource.Manage("myorgid-datasource", NewSampleDatasource, datasource.ManageOpts{}); err != nil {
log.DefaultLogger.Error(err.Error())
os.Exit(1)
}
}
Update your plugin
package to use the new plugin sdk.
// before
package plugin
import (
"context"
"github.com/grafana/grafana_plugin_model/go/datasource"
"github.com/hashicorp/go-hclog"
)
func NewSampleDatasource(pluginLogger hclog.Logger) (*SampleDatasource, error) {
return &SampleDatasource{
logger: pluginLogger,
}, nil
}
type SampleDatasource struct{
logger hclog.Logger
}
func (d *SampleDatasource) Query(ctx context.Context, tsdbReq *datasource.DatasourceRequest) (*datasource.DatasourceResponse, error) {
d.logger.Info("QueryData called", "request", req)
// logic for querying your datasource.
}
// after
package plugin
import (
"context"
"github.com/grafana/grafana-plugin-sdk-go/backend"
"github.com/grafana/grafana-plugin-sdk-go/backend/instancemgmt"
"github.com/grafana/grafana-plugin-sdk-go/backend/log"
"github.com/grafana/grafana-plugin-sdk-go/data"
)
func NewSampleDatasource(_ backend.DataSourceInstanceSettings) (instancemgmt.Instance, error) {
return &SampleDatasource{}, nil
}
type SampleDatasource struct{}
func (d *SampleDatasource) Dispose() {
// Clean up datasource instance resources.
}
func (d *SampleDatasource) QueryData(ctx context.Context, req *backend.QueryDataRequest) (*backend.QueryDataResponse, error) {
log.DefaultLogger.Info("QueryData called", "request", req)
// logic for querying your datasource.
}
func (d *SampleDatasource) CheckHealth(_ context.Context, req *backend.CheckHealthRequest) (*backend.CheckHealthResult, error) {
log.DefaultLogger.Info("CheckHealth called", "request", req)
// The main use case for these health checks is the test button on the
// datasource configuration page which allows users to verify that
// a datasource is working as expected.
}
We strongly recommend that you not allow unsigned plugins in your Grafana installation. By allowing unsigned plugins, we cannot guarantee the authenticity of the plugin, which could compromise the security of your Grafana installation.
To sign your plugin, see Sign a plugin.
You can still run and develop an unsigned plugin by running your Grafana instance in development mode. Alternatively, you can use the [allow_loading_unsigned_plugins]({{< relref "../../setup-grafana/configure-grafana/#allow_loading_unsigned_plugins" >}}) configuration setting.
We have upgraded react-hook-form from version 6 to version 7. To make your forms compatible with version 7, refer to the react-hook-form-migration-guide.
The property that defines which Grafana version your plugin supports has been renamed and now it is a range instead of a specific version.
// before
{
"dependencies": {
"grafanaVersion": "7.5.x",
"plugins": []
}
}
// after
{
"dependencies": {
"grafanaDependency": ">=8.0.0",
"plugins": []
}
}
Grafana uses Emotion library to manage frontend styling. We have updated the Emotion package and this can affect your frontend plugin if you have custom styling. You only need to update the import statements to get it working in Grafana 8.
// before
import { cx, css } from 'emotion';
// after
import { cx, css } from '@emotion/css';
To make side navigation work properly - app plugins targeting Grafana 8.+
and integrating into the side menu via [addToNav]({{< relref "metadata/#properties-4" >}}) property need to adjust their plugin.json
and all dashboard json files to have a matching uid
.
plugin.json
{
"id": "plugin-id",
// ...
"includes": [
{
"type": "dashboard",
"name": "(Team) Situation Overview",
"path": "dashboards/example-dashboard.json",
"addToNav": true,
"defaultNav": false,
"uid": "l3KqBxCMz"
}
]
// ...
}
dashboards/example-dashboard.json
{
// ...
"title": "Example Dashboard",
"uid": "l3KqBxCMz",
"version": 1
// ...
}
In Grafana 8 we have introduced a new improved version of our theming system. The previous version of the theming system is still available but is deprecated and will be removed in the next major version of Grafana.
You can find more detailed information on how to apply the v2 theme here.
How to style a functional component
The useStyles
hook is the preferred way to access the theme when styling. It provides basic memoization and access to the theme object.
// before
import React, { ReactElement } from 'react';
import css from 'emotion';
import { GrafanaTheme } from '@grafana/data';
import { useStyles } from '@grafana/ui';
function Component(): ReactElement | null {
const styles = useStyles(getStyles);
}
const getStyles = (theme: GrafanaTheme) => ({
myStyle: css`
background: ${theme.colors.bodyBg};
display: flex;
`,
});
// after
import React, { ReactElement } from 'react';
import { css } from '@emotion/css';
import { GrafanaTheme2 } from '@grafana/data';
import { useStyles2 } from '@grafana/ui';
function Component(): ReactElement | null {
const theme = useStyles2(getStyles);
}
const getStyles = (theme: GrafanaTheme2) => ({
myStyle: css`
background: ${theme.colors.background.canvas};
display: flex;
`,
});
How to use the theme in a functional component
// before
import React, { ReactElement } from 'react';
import { useTheme } from '@grafana/ui';
function Component(): ReactElement | null {
const theme = useTheme();
}
// after
import React, { ReactElement } from 'react';
import { useTheme2 } from '@grafana/ui';
function Component(): ReactElement | null {
const theme = useTheme2();
// Your component has access to the theme variables now
}
How to use the theme in a class component
// before
import React from 'react';
import { Themeable, withTheme } from '@grafana/ui';
type Props = {} & Themeable;
class Component extends React.Component<Props> {
render() {
const { theme } = this.props;
// Your component has access to the theme variables now
}
}
export default withTheme(Component);
// after
import React from 'react';
import { Themeable2, withTheme2 } from '@grafana/ui';
type Props = {} & Themeable2;
class Component extends React.Component<Props> {
render() {
const { theme } = this.props;
// Your component has access to the theme variables now
}
}
export default withTheme2(Component);
Gradually migrating components
If you need to use both the v1 and v2 themes due to using migrated and non-migrated components in the same context, use the v1
property on the v2
theme as described in the following example.
function Component(): ReactElement | null {
const theme = useTheme2();
return (
<NonMigrated theme={theme.v1}>
<Migrated theme={theme] />
</NonMigrate>
);
};
The Legend components have been refactored and introduced the following changes within the @grafana/ui
package.
// before
import { LegendItem, LegendOptions, GraphLegend } from '@grafana/ui';
// after
import { VizLegendItem, VizLegendOptions, VizLegend } from '@grafana/ui';
LegendPlacement
has been updated from'under' | 'right' | 'over'
to'bottom' | 'right'
so you can not place the legend above the visualization anymore.- The
isVisible
in theLegendItem
has been renamed todisabled
inVizLegendItem
.
The getColorForTheme
function arguments have changed from (color: ColorDefinition, theme?: GrafanaThemeType)
to (color: string, theme: GrafanaTheme)
.
// before
const color: ColorDefinition = {
hue: 'green';
name: 'dark-green';
variants: {
light: '#19730E'
dark: '#37872D'
};
}
const themeType: GrafanaThemeType = 'dark';
const themeColor = getColorForTheme(color, themeType);
// after
const color = 'green';
const theme: GrafanaTheme = useTheme();
const themeColor = getColorForTheme(color, theme);
Grafana 7.0 introduced a whole new plugin platform based on React. The new platform supersedes the previous Angular-based plugin platform.
Plugins built using Angular still work for the foreseeable future, but we encourage new plugin authors to develop with the new platform.
Along with the move to React, the new plugin platform introduced a new internal data format called data frames.
Previously, data source plugins could send data either as time series or tables. With data frames, data sources can send any data in a table-like structure. This gives you more flexibility to visualize your data in Grafana.
While the previous Angular-based plugin SDK did support TypeScript, for the React platform, we’ve greatly improved the support. All our APIs are now TypeScript, which might require existing code to update to the new stricter type definitions. Grafana 7.0 also introduced several new APIs for plugin developers that take advantage of many of the new features in Grafana 7.0.
With Grafana 7.0, we released a new tool for making it easier to develop plugins. Before, you’d use Gulp, Grunt, or similar tools to generate the minified assets. Grafana Toolkit takes care of building and testing your plugin without complicated configuration files.
For more information, refer to @grafana/toolkit.
Grafana 7.0 introduced the concept of field options, a new way of configuring your data before it gets visualized. Since this was not available in previous versions, any plugin that enables field-based configuration will not work in previous versions of Grafana.
For plugins prior to Grafana 7.0, all options are considered Display options. The tab for field configuration isn't available.
While backend plugins were available as an experimental feature in previous versions of Grafana, the support has been greatly improved for Grafana 7. Backend plugins for Grafana 7.0 are backwards-compatible and will continue to work. However, the old backend plugin system has been deprecated, and we recommend that you use the new SDK for backend plugins.
Since Grafana 7.0 introduced signing of backend plugins, community plugins won’t load by default if they’re unsigned.
If you’re looking to migrate a plugin to the new plugin platform, then we recommend that you release it under a new major version. Consider keeping a release branch for the previous version to be able to roll out patch releases for versions prior to Grafana 7.
While there's no 1-to-1 migration path from an Angular plugin to the new React platform, from early adopters, we’ve learned that one of the easiest ways to migrate is to:
- Create a new branch called
migrate-to-react
. - Start from scratch with one of the templates provided by Grafana Toolkit.
- Move the existing code into the new plugin incrementally, one component at a time.
Prior to Grafana 7.0, you would export a MetricsPanelCtrl from module.ts.
src/module.ts
import { MetricsPanelCtrl } from 'grafana/app/plugins/sdk';
class MyPanelCtrl extends MetricsPanelCtrl {
// ...
}
export { MyPanelCtrl as PanelCtrl };
Starting with 7.0, plugins now export a PanelPlugin from module.ts where MyPanel is a React component containing the props from PanelProps.
src/module.ts
import { PanelPlugin } from '@grafana/data';
export const plugin = new PanelPlugin<MyOptions>(MyPanel);
src/MyPanel.tsx
import { PanelProps } from '@grafana/data';
interface Props extends PanelProps<SimpleOptions> {}
export function MyPanel({ options, data, width, height }: Props) {
// ...
}
While all plugins are different, we'd like to share a migration process that has worked for some of our users.
- Define your configuration model and
ConfigEditor
. For many plugins, the configuration editor is the simplest component so it's a good candidate to start with. - Implement the
testDatasource()
method on the class that extendsDataSourceApi
using the settings in your configuration model to make sure you can successfully configure and access the external API. - Implement the
query()
method. At this point, you can hard-code your query, because we haven’t yet implemented the query editor. Thequery()
method supports both the new data frame response and the old TimeSeries response, so don’t worry about converting to the new format just yet. - Implement the
QueryEditor
. How much work this requires depends on how complex your query model is.
By now, you should be able to release your new version.
To fully migrate to the new plugin platform, convert the time series response to a data frame response.
Before 7.0, data source and panel plugins exchanged data using either time series or tables. Starting with 7.0, plugins use the new data frame format to pass data from data sources to panels.
Grafana 7.0 is backward compatible with the old data format used in previous versions. Panels and data sources using the old format will still work with plugins using the new data frame format.
The DataQueryResponse
returned by the query
method can be either a LegacyResponseData or a DataFrame.
The toDataFrame() function converts a legacy response, such as TimeSeries
or Table
, to a DataFrame
. Use it to gradually move your code to the new format.
import { toDataFrame } from '@grafana/data';
async query(options: DataQueryRequest<MyQuery>): Promise<DataQueryResponse> {
return {
data: options.targets.map(query => {
const timeSeries: TimeSeries = await doLegacyRequest(query);
return toDataFrame(timeSeries);
}
};
}
As of Grafana 7.0, backend plugins can now be cryptographically signed to verify their origin. By default, Grafana ignores unsigned plugins. For more information, refer to [Allow unsigned plugins]({{< relref "../../administration/plugin-management/#allow-unsigned-plugins" >}}).