feat(upgrade): show subtle banner [EE-5017] (#8489)

pull/8522/head
Chaim Lev-Ari 2023-02-19 09:47:50 +05:30 committed by GitHub
parent 631503fc1b
commit 9a8e95d017
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
21 changed files with 217 additions and 90 deletions

View File

@ -6,11 +6,15 @@ import (
portainerDsErrors "github.com/portainer/portainer/api/dataservices/errors" portainerDsErrors "github.com/portainer/portainer/api/dataservices/errors"
) )
func (m *Migrator) migrateDBVersionToDB81() error { func (m *Migrator) migrateDBVersionToDB90() error {
return m.updateEdgeStackStatusForDB81() if err := m.updateUserThemForDB90(); err != nil {
return err
}
return m.updateEdgeStackStatusForDB90()
} }
func (m *Migrator) updateEdgeStackStatusForDB81() error { func (m *Migrator) updateEdgeStackStatusForDB90() error {
log.Info().Msg("clean up deleted endpoints from edge jobs") log.Info().Msg("clean up deleted endpoints from edge jobs")
edgeJobs, err := m.edgeJobService.EdgeJobs() edgeJobs, err := m.edgeJobService.EdgeJobs()
@ -34,3 +38,25 @@ func (m *Migrator) updateEdgeStackStatusForDB81() error {
return nil return nil
} }
func (m *Migrator) updateUserThemForDB90() error {
log.Info().Msg("updating existing user theme settings")
users, err := m.userService.Users()
if err != nil {
return err
}
for i := range users {
user := &users[i]
if user.UserTheme != "" {
user.ThemeSettings.Color = user.UserTheme
}
if err := m.userService.UpdateUser(user.ID, user); err != nil {
return err
}
}
return nil
}

View File

@ -209,7 +209,7 @@ func (m *Migrator) initMigrations() {
m.addMigrations("2.16", m.migrateDBVersionToDB70) m.addMigrations("2.16", m.migrateDBVersionToDB70)
m.addMigrations("2.16.1", m.migrateDBVersionToDB71) m.addMigrations("2.16.1", m.migrateDBVersionToDB71)
m.addMigrations("2.17", m.migrateDBVersionToDB80) m.addMigrations("2.17", m.migrateDBVersionToDB80)
m.addMigrations("2.18", m.migrateDBVersionToDB81) m.addMigrations("2.18", m.migrateDBVersionToDB90)
// Add new migrations below... // Add new migrations below...
// One function per migration, each versions migration funcs in the same file. // One function per migration, each versions migration funcs in the same file.

View File

@ -902,6 +902,10 @@
"PortainerUserRevokeToken": true "PortainerUserRevokeToken": true
}, },
"Role": 1, "Role": 1,
"ThemeSettings": {
"color": "",
"subtleUpgradeButton": false
},
"TokenIssueAt": 0, "TokenIssueAt": 0,
"UserTheme": "", "UserTheme": "",
"Username": "admin" "Username": "admin"
@ -929,6 +933,10 @@
"PortainerUserRevokeToken": true "PortainerUserRevokeToken": true
}, },
"Role": 1, "Role": 1,
"ThemeSettings": {
"color": "",
"subtleUpgradeButton": false
},
"TokenIssueAt": 0, "TokenIssueAt": 0,
"UserTheme": "", "UserTheme": "",
"Username": "prabhat" "Username": "prabhat"

View File

@ -15,10 +15,18 @@ import (
"github.com/asaskevich/govalidator" "github.com/asaskevich/govalidator"
) )
type themePayload struct {
// Color represents the color theme of the UI
Color *string `json:"color" example:"dark" enums:"dark,light,highcontrast,auto"`
// SubtleUpgradeButton indicates if the upgrade banner should be displayed in a subtle way
SubtleUpgradeButton *bool `json:"subtleUpgradeButton" example:"false"`
}
type userUpdatePayload struct { type userUpdatePayload struct {
Username string `validate:"required" example:"bob"` Username string `validate:"required" example:"bob"`
Password string `validate:"required" example:"cg9Wgky3"` Password string `validate:"required" example:"cg9Wgky3"`
UserTheme string `example:"dark"` Theme *themePayload
// User role (1 for administrator account and 2 for regular account) // User role (1 for administrator account and 2 for regular account)
Role int `validate:"required" enums:"1,2" example:"2"` Role int `validate:"required" enums:"1,2" example:"2"`
} }
@ -108,8 +116,14 @@ func (handler *Handler) userUpdate(w http.ResponseWriter, r *http.Request) *http
user.TokenIssueAt = time.Now().Unix() user.TokenIssueAt = time.Now().Unix()
} }
if payload.UserTheme != "" { if payload.Theme != nil {
user.UserTheme = payload.UserTheme if payload.Theme.Color != nil {
user.ThemeSettings.Color = *payload.Theme.Color
}
if payload.Theme.SubtleUpgradeButton != nil {
user.ThemeSettings.SubtleUpgradeButton = *payload.Theme.SubtleUpgradeButton
}
} }
if payload.Role != 0 { if payload.Role != 0 {

View File

@ -1235,16 +1235,19 @@ type (
ID UserID `json:"Id" example:"1"` ID UserID `json:"Id" example:"1"`
Username string `json:"Username" example:"bob"` Username string `json:"Username" example:"bob"`
Password string `json:"Password,omitempty" swaggerignore:"true"` Password string `json:"Password,omitempty" swaggerignore:"true"`
// User Theme
UserTheme string `example:"dark"`
// User role (1 for administrator account and 2 for regular account) // User role (1 for administrator account and 2 for regular account)
Role UserRole `json:"Role" example:"1"` Role UserRole `json:"Role" example:"1"`
TokenIssueAt int64 `json:"TokenIssueAt" example:"1"` TokenIssueAt int64 `json:"TokenIssueAt" example:"1"`
ThemeSettings UserThemeSettings
// Deprecated fields // Deprecated fields
// Deprecated
UserTheme string `example:"dark"`
// Deprecated in DBVersion == 25 // Deprecated in DBVersion == 25
PortainerAuthorizations Authorizations `json:"PortainerAuthorizations"` PortainerAuthorizations Authorizations
EndpointAuthorizations EndpointAuthorizations `json:"EndpointAuthorizations"` // Deprecated in DBVersion == 25
EndpointAuthorizations EndpointAuthorizations
} }
// UserAccessPolicies represent the association of an access policy and a user // UserAccessPolicies represent the association of an access policy and a user
@ -1263,6 +1266,14 @@ type (
// or a regular user // or a regular user
UserRole int UserRole int
// UserThemeSettings represents the theme settings for a user
UserThemeSettings struct {
// Color represents the color theme of the UI
Color string `json:"color" example:"dark" enums:"dark,light,highcontrast,auto"`
// SubtleUpgradeButton indicates if the upgrade banner should be displayed in a subtle way
SubtleUpgradeButton bool `json:"subtleUpgradeButton"`
}
// Webhook represents a url webhook that can be used to update a service // Webhook represents a url webhook that can be used to update a service
Webhook struct { Webhook struct {
// Webhook Identifier // Webhook Identifier

View File

@ -1,34 +1,51 @@
import { notifyError, notifySuccess } from '@/portainer/services/notifications';
import { queryKeys } from '@/portainer/users/queries/queryKeys';
import { queryClient } from '@/react-tools/react-query';
import { options } from './options'; import { options } from './options';
export default class ThemeSettingsController { export default class ThemeSettingsController {
/* @ngInject */ /* @ngInject */
constructor($async, Authentication, ThemeManager, StateManager, UserService, Notifications) { constructor($async, Authentication, ThemeManager, StateManager, UserService) {
this.$async = $async; this.$async = $async;
this.Authentication = Authentication; this.Authentication = Authentication;
this.ThemeManager = ThemeManager; this.ThemeManager = ThemeManager;
this.StateManager = StateManager; this.StateManager = StateManager;
this.UserService = UserService; this.UserService = UserService;
this.Notifications = Notifications;
this.setTheme = this.setTheme.bind(this); this.setThemeColor = this.setThemeColor.bind(this);
this.setSubtleUpgradeButton = this.setSubtleUpgradeButton.bind(this);
} }
async setTheme(theme) { async setThemeColor(color) {
try { return this.$async(async () => {
if (theme === 'auto' || !theme) { if (color === 'auto' || !color) {
this.ThemeManager.autoTheme(); this.ThemeManager.autoTheme();
} else { } else {
this.ThemeManager.setTheme(theme); this.ThemeManager.setTheme(color);
} }
this.state.userTheme = theme; this.state.themeColor = color;
this.updateThemeSettings({ color });
});
}
async setSubtleUpgradeButton(value) {
return this.$async(async () => {
this.state.subtleUpgradeButton = value;
this.updateThemeSettings({ subtleUpgradeButton: value });
});
}
async updateThemeSettings(theme) {
try {
if (!this.state.isDemo) { if (!this.state.isDemo) {
await this.UserService.updateUserTheme(this.state.userId, this.state.userTheme); await this.UserService.updateUserTheme(this.state.userId, theme);
await queryClient.invalidateQueries(queryKeys.user(this.state.userId));
} }
this.Notifications.success('Success', 'User theme successfully updated'); notifySuccess('Success', 'User theme settings successfully updated');
} catch (err) { } catch (err) {
this.Notifications.error('Failure', err, 'Unable to update user theme'); notifyError('Failure', err, 'Unable to update user theme settings');
} }
} }
@ -38,19 +55,21 @@ export default class ThemeSettingsController {
this.state = { this.state = {
userId: null, userId: null,
userTheme: '', themeColor: 'auto',
defaultTheme: 'auto',
isDemo: state.application.demoEnvironment.enabled, isDemo: state.application.demoEnvironment.enabled,
subtleUpgradeButton: false,
}; };
this.state.availableThemes = options; this.state.availableThemes = options;
try { try {
this.state.userId = await this.Authentication.getUserDetails().ID; this.state.userId = await this.Authentication.getUserDetails().ID;
const data = await this.UserService.user(this.state.userId); const user = await this.UserService.user(this.state.userId);
this.state.userTheme = data.UserTheme || this.state.defaultTheme;
this.state.themeColor = user.ThemeSettings.color || this.state.themeColor;
this.state.subtleUpgradeButton = !!user.ThemeSettings.subtleUpgradeButton;
} catch (err) { } catch (err) {
this.Notifications.error('Failure', err, 'Unable to get user details'); notifyError('Failure', err, 'Unable to get user details');
} }
}); });
} }

View File

@ -3,12 +3,23 @@
<rd-widget-header icon="sliders" title-text="User theme"></rd-widget-header> <rd-widget-header icon="sliders" title-text="User theme"></rd-widget-header>
<rd-widget-body> <rd-widget-body>
<form class="form-horizontal"> <form class="form-horizontal">
<box-selector radio-name="'theme'" value="$ctrl.state.userTheme" options="$ctrl.state.availableThemes" on-change="($ctrl.setTheme)"></box-selector> <box-selector radio-name="'theme'" value="$ctrl.state.themeColor" options="$ctrl.state.availableThemes" on-change="($ctrl.setThemeColor)"></box-selector>
<p class="vertical-center mt-2">
<pr-icon icon="'alert-circle'" class-name="'icon-primary'"></pr-icon>
<span class="small">Dark and High-contrast theme are experimental. Some UI components might not display properly.</span>
</p>
<div class="mt-3">
<por-switch-field
tooltip="'This setting toggles a more subtle UI for the upgrade button located at the top of the sidebar'"
label-class="'col-sm-2'"
label="'Subtle upgrade button'"
checked="$ctrl.state.subtleUpgradeButton"
on-change="($ctrl.setSubtleUpgradeButton)"
></por-switch-field>
</div>
</form> </form>
<p class="vertical-center mt-2">
<pr-icon icon="'alert-circle'" class-name="'icon-primary'"></pr-icon>
Dark and High-contrast theme are experimental. Some UI components might not display properly.
</p>
</rd-widget-body> </rd-widget-body>
</rd-widget> </rd-widget>
</div> </div>

View File

@ -2,7 +2,7 @@ export function UserViewModel(data) {
this.Id = data.Id; this.Id = data.Id;
this.Username = data.Username; this.Username = data.Username;
this.Role = data.Role; this.Role = data.Role;
this.UserTheme = data.UserTheme; this.ThemeSettings = data.ThemeSettings;
if (data.Role === 1) { if (data.Role === 1) {
this.RoleName = 'administrator'; this.RoleName = 'administrator';
} else { } else {

View File

@ -67,8 +67,8 @@ export function UserService($q, Users, TeamService, TeamMembershipService) {
return Users.updatePassword({ id: id }, payload).$promise; return Users.updatePassword({ id: id }, payload).$promise;
}; };
service.updateUserTheme = function (id, userTheme) { service.updateUserTheme = function (id, theme) {
return Users.updateTheme({ id }, { userTheme }).$promise; return Users.updateTheme({ id }, { theme }).$promise;
}; };
service.userMemberships = function (id) { service.userMemberships = function (id) {

View File

@ -102,7 +102,7 @@ angular.module('portainer.app').factory('Authentication', [
const data = await UserService.user(user.ID); const data = await UserService.user(user.ID);
// Initialize user theme base on UserTheme from database // Initialize user theme base on UserTheme from database
const userTheme = data.UserTheme; const userTheme = data.ThemeSettings ? data.ThemeSettings.color : 'auto';
if (userTheme === 'auto' || !userTheme) { if (userTheme === 'auto' || !userTheme) {
ThemeManager.autoTheme(); ThemeManager.autoTheme();
} else { } else {

View File

@ -1,7 +1,6 @@
angular.module('portainer.app').service('ThemeManager', ThemeManager); angular.module('portainer.app').service('ThemeManager', ThemeManager);
/* @ngInject */ /* @ngInject */
export function ThemeManager(StateManager) { export function ThemeManager(StateManager) {
return { return {
setTheme, setTheme,

View File

@ -0,0 +1,6 @@
import { UserId } from '../types';
export const queryKeys = {
base: () => ['users'] as const,
user: (id: UserId) => [...queryKeys.base(), id] as const,
};

View File

@ -6,11 +6,13 @@ import { withError } from '@/react-tools/react-query';
import { buildUrl } from '../user.service'; import { buildUrl } from '../user.service';
import { User, UserId } from '../types'; import { User, UserId } from '../types';
import { queryKeys } from './queryKeys';
export function useUser( export function useUser(
id: UserId, id: UserId,
{ staleTime }: { staleTime?: number } = {} { staleTime }: { staleTime?: number } = {}
) { ) {
return useQuery(['users', id], () => getUser(id), { return useQuery(queryKeys.user(id), () => getUser(id), {
...withError('Unable to retrieve user details'), ...withError('Unable to retrieve user details'),
staleTime, staleTime,
}); });

View File

@ -20,15 +20,8 @@ export type User = {
EndpointAuthorizations: { EndpointAuthorizations: {
[endpointId: EnvironmentId]: AuthorizationMap; [endpointId: EnvironmentId]: AuthorizationMap;
}; };
// UserTheme: string; ThemeSettings: {
// this.EndpointAuthorizations = data.EndpointAuthorizations; color: 'dark' | 'light' | 'highcontrast' | 'auto';
// this.PortainerAuthorizations = data.PortainerAuthorizations; subtleUpgradeButton: boolean;
// if (data.Role === 1) { };
// this.RoleName = 'administrator';
// } else {
// this.RoleName = 'user';
// }
// this.AuthenticationMethod = data.AuthenticationMethod;
// this.Checked = false;
// this.EndpointAuthorizations = data.EndpointAuthorizations;
}; };

View File

@ -10,13 +10,11 @@ angular.module('portainer.app').controller('AccountController', [
'Notifications', 'Notifications',
'SettingsService', 'SettingsService',
'StateManager', 'StateManager',
'ThemeManager', function ($scope, $state, Authentication, UserService, Notifications, SettingsService, StateManager) {
function ($scope, $state, Authentication, UserService, Notifications, SettingsService, StateManager, ThemeManager) {
$scope.formValues = { $scope.formValues = {
currentPassword: '', currentPassword: '',
newPassword: '', newPassword: '',
confirmPassword: '', confirmPassword: '',
userTheme: '',
}; };
$scope.updatePassword = async function () { $scope.updatePassword = async function () {
@ -98,24 +96,6 @@ angular.module('portainer.app').controller('AccountController', [
}); });
}; };
// Update DOM for theme attribute & LocalStorage
$scope.setTheme = function (theme) {
ThemeManager.setTheme(theme);
StateManager.updateTheme(theme);
};
// Rest API Call to update theme with userID in DB
$scope.updateTheme = function () {
UserService.updateUserTheme($scope.userID, $scope.formValues.userTheme)
.then(function success() {
Notifications.success('Success', 'User theme successfully updated');
$state.reload();
})
.catch(function error(err) {
Notifications.error('Failure', err, err.msg);
});
};
async function initView() { async function initView() {
const state = StateManager.getState(); const state = StateManager.getState();
const userDetails = Authentication.getUserDetails(); const userDetails = Authentication.getUserDetails();
@ -128,10 +108,6 @@ angular.module('portainer.app').controller('AccountController', [
$scope.isDemoUser = state.application.demoEnvironment.users.includes($scope.userID); $scope.isDemoUser = state.application.demoEnvironment.users.includes($scope.userID);
} }
const data = await UserService.user($scope.userID);
$scope.formValues.userTheme = data.UserTheme;
SettingsService.publicSettings() SettingsService.publicSettings()
.then(function success(data) { .then(function success(data) {
$scope.AuthenticationMethod = data.AuthenticationMethod; $scope.AuthenticationMethod = data.AuthenticationMethod;

View File

@ -12,12 +12,15 @@ export function createMockUsers(
Id: value, Id: value,
Username: `user${value}`, Username: `user${value}`,
Role: getRoles(roles, value), Role: getRoles(roles, value),
UserTheme: '',
RoleName: '', RoleName: '',
AuthenticationMethod: '', AuthenticationMethod: '',
Checked: false, Checked: false,
EndpointAuthorizations: {}, EndpointAuthorizations: {},
PortainerAuthorizations: {}, PortainerAuthorizations: {},
ThemeSettings: {
color: 'auto',
subtleUpgradeButton: false,
},
})); }));
} }

View File

@ -5,7 +5,6 @@ export function createMockUser(id: number, username: string): UserViewModel {
Id: id, Id: id,
Username: username, Username: username,
Role: 2, Role: 2,
UserTheme: '',
EndpointAuthorizations: {}, EndpointAuthorizations: {},
PortainerAuthorizations: { PortainerAuthorizations: {
PortainerDockerHubInspect: true, PortainerDockerHubInspect: true,
@ -25,5 +24,9 @@ export function createMockUser(id: number, username: string): UserViewModel {
RoleName: 'user', RoleName: 'user',
Checked: false, Checked: false,
AuthenticationMethod: '', AuthenticationMethod: '',
ThemeSettings: {
color: 'auto',
subtleUpgradeButton: false,
},
}; };
} }

View File

@ -20,7 +20,10 @@ export function mockExampleData() {
Id: 10, Id: 10,
Username: 'user1', Username: 'user1',
Role: 2, Role: 2,
UserTheme: '', ThemeSettings: {
color: 'auto',
subtleUpgradeButton: false,
},
EndpointAuthorizations: {}, EndpointAuthorizations: {},
PortainerAuthorizations: { PortainerAuthorizations: {
PortainerDockerHubInspect: true, PortainerDockerHubInspect: true,
@ -45,7 +48,10 @@ export function mockExampleData() {
Id: 13, Id: 13,
Username: 'user2', Username: 'user2',
Role: 2, Role: 2,
UserTheme: '', ThemeSettings: {
color: 'auto',
subtleUpgradeButton: false,
},
EndpointAuthorizations: {}, EndpointAuthorizations: {},
PortainerAuthorizations: { PortainerAuthorizations: {
PortainerDockerHubInspect: true, PortainerDockerHubInspect: true,

View File

@ -1,3 +1,5 @@
import { useAnalytics } from '@/angulartics.matomo/analytics-services';
import { HubspotForm } from '@@/HubspotForm'; import { HubspotForm } from '@@/HubspotForm';
import { Modal } from '@@/modals/Modal'; import { Modal } from '@@/modals/Modal';
@ -11,6 +13,7 @@ export function GetLicenseDialog({
// form is loaded from hubspot, so it won't have the same styling as the rest of the app // form is loaded from hubspot, so it won't have the same styling as the rest of the app
// since it won't support darkmode, we enforce a white background and black text for the components we use // since it won't support darkmode, we enforce a white background and black text for the components we use
// (Modal, CloseButton, loading text) // (Modal, CloseButton, loading text)
const { trackEvent } = useAnalytics();
return ( return (
<Modal <Modal
@ -25,7 +28,14 @@ export function GetLicenseDialog({
region="na1" region="na1"
portalId="4731999" portalId="4731999"
formId="1ef8ea88-3e03-46c5-8aef-c1d9f48fd06b" formId="1ef8ea88-3e03-46c5-8aef-c1d9f48fd06b"
onSubmitted={() => goToUploadLicense(true)} onSubmitted={() => {
trackEvent('portainer-upgrade-license-key-requested', {
category: 'portainer',
metadata: { 'Upgrade-key-requested': true },
});
goToUploadLicense(true);
}}
loading={<div className="text-black">Loading...</div>} loading={<div className="text-black">Loading...</div>}
/> />
</div> </div>

View File

@ -1,5 +1,6 @@
import { ArrowRight } from 'lucide-react'; import { ArrowUpCircle } from 'lucide-react';
import { useState } from 'react'; import { useState } from 'react';
import clsx from 'clsx';
import { useAnalytics } from '@/angulartics.matomo/analytics-services'; import { useAnalytics } from '@/angulartics.matomo/analytics-services';
import { useNodesCount } from '@/react/portainer/system/useNodesCount'; import { useNodesCount } from '@/react/portainer/system/useNodesCount';
@ -7,9 +8,10 @@ import {
ContainerPlatform, ContainerPlatform,
useSystemInfo, useSystemInfo,
} from '@/react/portainer/system/useSystemInfo'; } from '@/react/portainer/system/useSystemInfo';
import { useUser } from '@/react/hooks/useUser'; import { useCurrentUser } from '@/react/hooks/useUser';
import { withEdition } from '@/react/portainer/feature-flags/withEdition'; import { withEdition } from '@/react/portainer/feature-flags/withEdition';
import { withHideOnExtension } from '@/react/hooks/withHideOnExtension'; import { withHideOnExtension } from '@/react/hooks/withHideOnExtension';
import { useUser } from '@/portainer/users/queries/useUser';
import { useSidebarState } from '../useSidebarState'; import { useSidebarState } from '../useSidebarState';
@ -25,15 +27,21 @@ const enabledPlatforms: Array<ContainerPlatform> = [
]; ];
function UpgradeBEBanner() { function UpgradeBEBanner() {
const { isAdmin } = useUser(); const {
isAdmin,
user: { Id },
} = useCurrentUser();
const { trackEvent } = useAnalytics(); const { trackEvent } = useAnalytics();
const { isOpen: isSidebarOpen } = useSidebarState(); const { isOpen: isSidebarOpen } = useSidebarState();
const nodesCountQuery = useNodesCount(); const nodesCountQuery = useNodesCount();
const systemInfoQuery = useSystemInfo(); const systemInfoQuery = useSystemInfo();
const userQuery = useUser(Id);
const [isOpen, setIsOpen] = useState(false); const [isOpen, setIsOpen] = useState(false);
if (!nodesCountQuery.isSuccess || !systemInfoQuery.data) { if (!nodesCountQuery.isSuccess || !systemInfoQuery.data || !userQuery.data) {
return null; return null;
} }
@ -49,19 +57,42 @@ function UpgradeBEBanner() {
agents: systemInfo.agents, agents: systemInfo.agents,
}; };
if (!enabledPlatforms.includes(systemInfo.platform)) { if (
!enabledPlatforms.includes(systemInfo.platform) &&
process.env.NODE_ENV !== 'development'
) {
return null; return null;
} }
const subtleButton = userQuery.data.ThemeSettings.subtleUpgradeButton;
return ( return (
<> <>
<button <button
type="button" type="button"
className="flex w-full items-center justify-center gap-3 border-0 bg-warning-5 py-2 font-semibold text-warning-9" className={clsx(
'flex w-full items-center justify-center gap-1 py-2 pr-2 hover:underline',
{
'border-0 bg-warning-5 font-semibold text-warning-9': !subtleButton,
'border border-solid border-blue-9 bg-[#023959] font-medium text-white th-dark:border-[#343434] th-dark:bg-black':
subtleButton,
},
'th-highcontrast:border th-highcontrast:border-solid th-highcontrast:border-white th-highcontrast:bg-black th-highcontrast:font-medium th-highcontrast:text-white'
)}
onClick={handleClick} onClick={handleClick}
> >
<ArrowUpCircle
className={clsx(
'lucide text-lg',
{
'fill-warning-9 stroke-warning-5': !subtleButton,
'fill-warning-6 stroke-[#023959] th-dark:stroke-black':
subtleButton,
},
'th-highcontrast:fill-warning-6 th-highcontrast:stroke-black'
)}
/>
{isSidebarOpen && <>Upgrade to Business Edition</>} {isSidebarOpen && <>Upgrade to Business Edition</>}
<ArrowRight className="lucide text-lg" />
</button> </button>
{isOpen && <UpgradeDialog onDismiss={() => setIsOpen(false)} />} {isOpen && <UpgradeDialog onDismiss={() => setIsOpen(false)} />}

View File

@ -3,6 +3,7 @@ import { object, SchemaOf, string } from 'yup';
import { useUpgradeEditionMutation } from '@/react/portainer/system/useUpgradeEditionMutation'; import { useUpgradeEditionMutation } from '@/react/portainer/system/useUpgradeEditionMutation';
import { notifySuccess } from '@/portainer/services/notifications'; import { notifySuccess } from '@/portainer/services/notifications';
import { useAnalytics } from '@/angulartics.matomo/analytics-services';
import { Button, LoadingButton } from '@@/buttons'; import { Button, LoadingButton } from '@@/buttons';
import { FormControl } from '@@/form-components/FormControl'; import { FormControl } from '@@/form-components/FormControl';
@ -30,6 +31,7 @@ export function UploadLicenseDialog({
isGetLicenseSubmitted: boolean; isGetLicenseSubmitted: boolean;
}) { }) {
const upgradeMutation = useUpgradeEditionMutation(); const upgradeMutation = useUpgradeEditionMutation();
const { trackEvent } = useAnalytics();
return ( return (
<Modal <Modal
@ -99,6 +101,13 @@ export function UploadLicenseDialog({
function handleSubmit(values: FormValues) { function handleSubmit(values: FormValues) {
upgradeMutation.mutate(values, { upgradeMutation.mutate(values, {
onSuccess() { onSuccess() {
trackEvent('portainer-upgrade-license-key-provided', {
category: 'portainer',
metadata: {
Upgrade: 'true',
},
});
notifySuccess('Starting upgrade', 'License validated successfully'); notifySuccess('Starting upgrade', 'License validated successfully');
goToLoading(); goToLoading();
}, },