mirror of
https://github.com/lensapp/lens.git
synced 2025-05-20 05:10:56 +00:00
Flatten user preferences in user store (#2587)
Signed-off-by: Sebastian Malton <sebastian@malton.name>
This commit is contained in:
parent
119d584bcb
commit
afa5379ba9
@ -60,13 +60,13 @@ describe("user store tests", () => {
|
|||||||
it("allows setting and getting preferences", () => {
|
it("allows setting and getting preferences", () => {
|
||||||
const us = UserStore.getInstance();
|
const us = UserStore.getInstance();
|
||||||
|
|
||||||
us.preferences.httpsProxy = "abcd://defg";
|
us.httpsProxy = "abcd://defg";
|
||||||
|
|
||||||
expect(us.preferences.httpsProxy).toBe("abcd://defg");
|
expect(us.httpsProxy).toBe("abcd://defg");
|
||||||
expect(us.preferences.colorTheme).toBe(UserStore.defaultTheme);
|
expect(us.colorTheme).toBe(UserStore.defaultTheme);
|
||||||
|
|
||||||
us.preferences.colorTheme = "light";
|
us.colorTheme = "light";
|
||||||
expect(us.preferences.colorTheme).toBe("light");
|
expect(us.colorTheme).toBe("light");
|
||||||
});
|
});
|
||||||
|
|
||||||
it("correctly resets theme to default value", async () => {
|
it("correctly resets theme to default value", async () => {
|
||||||
@ -74,9 +74,9 @@ describe("user store tests", () => {
|
|||||||
|
|
||||||
us.isLoaded = true;
|
us.isLoaded = true;
|
||||||
|
|
||||||
us.preferences.colorTheme = "some other theme";
|
us.colorTheme = "some other theme";
|
||||||
await us.resetTheme();
|
await us.resetTheme();
|
||||||
expect(us.preferences.colorTheme).toBe(UserStore.defaultTheme);
|
expect(us.colorTheme).toBe(UserStore.defaultTheme);
|
||||||
});
|
});
|
||||||
|
|
||||||
it("correctly calculates if the last seen version is an old release", () => {
|
it("correctly calculates if the last seen version is an old release", () => {
|
||||||
|
|||||||
@ -6,7 +6,7 @@ import { UserStore } from "./user-store";
|
|||||||
// https://github.com/lensapp/lens/issues/459
|
// https://github.com/lensapp/lens/issues/459
|
||||||
|
|
||||||
function getDefaultRequestOpts(): Partial<request.Options> {
|
function getDefaultRequestOpts(): Partial<request.Options> {
|
||||||
const { httpsProxy, allowUntrustedCAs } = UserStore.getInstance().preferences;
|
const { httpsProxy, allowUntrustedCAs } = UserStore.getInstance();
|
||||||
|
|
||||||
return {
|
return {
|
||||||
proxy: httpsProxy || undefined,
|
proxy: httpsProxy || undefined,
|
||||||
|
|||||||
@ -12,15 +12,16 @@ import { appEventBus } from "./event-bus";
|
|||||||
import logger from "../main/logger";
|
import logger from "../main/logger";
|
||||||
import path from "path";
|
import path from "path";
|
||||||
import { fileNameMigration } from "../migrations/user-store";
|
import { fileNameMigration } from "../migrations/user-store";
|
||||||
|
import { ObservableToggleSet } from "../renderer/utils";
|
||||||
|
|
||||||
export interface UserStoreModel {
|
export interface UserStoreModel {
|
||||||
kubeConfigPath: string;
|
kubeConfigPath: string;
|
||||||
lastSeenAppVersion: string;
|
lastSeenAppVersion: string;
|
||||||
seenContexts: string[];
|
seenContexts: string[];
|
||||||
preferences: UserPreferences;
|
preferences: UserPreferencesModel;
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface UserPreferences {
|
export interface UserPreferencesModel {
|
||||||
httpsProxy?: string;
|
httpsProxy?: string;
|
||||||
shell?: string;
|
shell?: string;
|
||||||
colorTheme?: string;
|
colorTheme?: string;
|
||||||
@ -32,7 +33,7 @@ export interface UserPreferences {
|
|||||||
downloadBinariesPath?: string;
|
downloadBinariesPath?: string;
|
||||||
kubectlBinariesPath?: string;
|
kubectlBinariesPath?: string;
|
||||||
openAtLogin?: boolean;
|
openAtLogin?: boolean;
|
||||||
hiddenTableColumns?: Record<string, string[]>;
|
hiddenTableColumns?: [string, string[]][];
|
||||||
}
|
}
|
||||||
|
|
||||||
export class UserStore extends BaseStore<UserStoreModel> {
|
export class UserStore extends BaseStore<UserStoreModel> {
|
||||||
@ -48,20 +49,29 @@ export class UserStore extends BaseStore<UserStoreModel> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
@observable lastSeenAppVersion = "0.0.0";
|
@observable lastSeenAppVersion = "0.0.0";
|
||||||
@observable kubeConfigPath = kubeConfigDefaultPath; // used in add-cluster page for providing context
|
|
||||||
|
/**
|
||||||
|
* used in add-cluster page for providing context
|
||||||
|
*/
|
||||||
|
@observable kubeConfigPath = kubeConfigDefaultPath;
|
||||||
@observable seenContexts = observable.set<string>();
|
@observable seenContexts = observable.set<string>();
|
||||||
@observable newContexts = observable.set<string>();
|
@observable newContexts = observable.set<string>();
|
||||||
|
@observable allowTelemetry = true;
|
||||||
|
@observable allowUntrustedCAs = false;
|
||||||
|
@observable colorTheme = UserStore.defaultTheme;
|
||||||
|
@observable localeTimezone = moment.tz.guess(true) || "UTC";
|
||||||
|
@observable downloadMirror = "default";
|
||||||
|
@observable httpsProxy?: string;
|
||||||
|
@observable shell?: string;
|
||||||
|
@observable downloadBinariesPath?: string;
|
||||||
|
@observable kubectlBinariesPath?: string;
|
||||||
|
|
||||||
@observable preferences: UserPreferences = {
|
/**
|
||||||
allowTelemetry: true,
|
* Download kubectl binaries matching cluster version
|
||||||
allowUntrustedCAs: false,
|
*/
|
||||||
colorTheme: UserStore.defaultTheme,
|
@observable downloadKubectlBinaries = true;
|
||||||
localeTimezone: moment.tz.guess(true) || "UTC",
|
@observable openAtLogin = false;
|
||||||
downloadMirror: "default",
|
hiddenTableColumns = observable.map<string, ObservableToggleSet<string>>();
|
||||||
downloadKubectlBinaries: true, // Download kubectl binaries matching cluster version
|
|
||||||
openAtLogin: false,
|
|
||||||
hiddenTableColumns: {},
|
|
||||||
};
|
|
||||||
|
|
||||||
protected async handleOnLoad() {
|
protected async handleOnLoad() {
|
||||||
await this.whenLoaded;
|
await this.whenLoaded;
|
||||||
@ -72,12 +82,12 @@ export class UserStore extends BaseStore<UserStoreModel> {
|
|||||||
|
|
||||||
if (app) {
|
if (app) {
|
||||||
// track telemetry availability
|
// track telemetry availability
|
||||||
reaction(() => this.preferences.allowTelemetry, allowed => {
|
reaction(() => this.allowTelemetry, allowed => {
|
||||||
appEventBus.emit({ name: "telemetry", action: allowed ? "enabled" : "disabled" });
|
appEventBus.emit({ name: "telemetry", action: allowed ? "enabled" : "disabled" });
|
||||||
});
|
});
|
||||||
|
|
||||||
// open at system start-up
|
// open at system start-up
|
||||||
reaction(() => this.preferences.openAtLogin, openAtLogin => {
|
reaction(() => this.openAtLogin, openAtLogin => {
|
||||||
app.setLoginItemSettings({
|
app.setLoginItemSettings({
|
||||||
openAtLogin,
|
openAtLogin,
|
||||||
openAsHidden: true,
|
openAsHidden: true,
|
||||||
@ -99,17 +109,40 @@ export class UserStore extends BaseStore<UserStoreModel> {
|
|||||||
return super.load();
|
return super.load();
|
||||||
}
|
}
|
||||||
|
|
||||||
get isNewVersion() {
|
@computed get isNewVersion() {
|
||||||
return semver.gt(getAppVersion(), this.lastSeenAppVersion);
|
return semver.gt(getAppVersion(), this.lastSeenAppVersion);
|
||||||
}
|
}
|
||||||
|
|
||||||
@action
|
@computed get resolvedShell(): string | undefined {
|
||||||
setHiddenTableColumns(tableId: string, names: Set<string> | string[]) {
|
return this.shell || process.env.SHELL || process.env.PTYSHELL;
|
||||||
this.preferences.hiddenTableColumns[tableId] = Array.from(names);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
getHiddenTableColumns(tableId: string): Set<string> {
|
/**
|
||||||
return new Set(this.preferences.hiddenTableColumns[tableId]);
|
* Checks if a column (by ID) for a table (by ID) is configured to be hidden
|
||||||
|
* @param tableId The ID of the table to be checked against
|
||||||
|
* @param columnIds The list of IDs the check if one is hidden
|
||||||
|
* @returns true if at least one column under the table is set to hidden
|
||||||
|
*/
|
||||||
|
isTableColumnHidden(tableId: string, ...columnIds: string[]): boolean {
|
||||||
|
if (columnIds.length === 0) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
const config = this.hiddenTableColumns.get(tableId);
|
||||||
|
|
||||||
|
if (!config) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
return columnIds.some(columnId => config.has(columnId));
|
||||||
|
}
|
||||||
|
|
||||||
|
@action
|
||||||
|
/**
|
||||||
|
* Toggles the hidden configuration of a table's column
|
||||||
|
*/
|
||||||
|
toggleTableColumnVisibility(tableId: string, columnId: string) {
|
||||||
|
this.hiddenTableColumns.get(tableId)?.toggle(columnId);
|
||||||
}
|
}
|
||||||
|
|
||||||
@action
|
@action
|
||||||
@ -124,7 +157,7 @@ export class UserStore extends BaseStore<UserStoreModel> {
|
|||||||
@action
|
@action
|
||||||
async resetTheme() {
|
async resetTheme() {
|
||||||
await this.whenLoaded;
|
await this.whenLoaded;
|
||||||
this.preferences.colorTheme = UserStore.defaultTheme;
|
this.colorTheme = UserStore.defaultTheme;
|
||||||
}
|
}
|
||||||
|
|
||||||
@action
|
@action
|
||||||
@ -135,7 +168,7 @@ export class UserStore extends BaseStore<UserStoreModel> {
|
|||||||
|
|
||||||
@action
|
@action
|
||||||
setLocaleTimezone(tz: string) {
|
setLocaleTimezone(tz: string) {
|
||||||
this.preferences.localeTimezone = tz;
|
this.localeTimezone = tz;
|
||||||
}
|
}
|
||||||
|
|
||||||
protected refreshNewContexts = async () => {
|
protected refreshNewContexts = async () => {
|
||||||
@ -175,15 +208,55 @@ export class UserStore extends BaseStore<UserStoreModel> {
|
|||||||
this.kubeConfigPath = kubeConfigPath;
|
this.kubeConfigPath = kubeConfigPath;
|
||||||
}
|
}
|
||||||
this.seenContexts.replace(seenContexts);
|
this.seenContexts.replace(seenContexts);
|
||||||
Object.assign(this.preferences, preferences);
|
|
||||||
|
if (!preferences) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
this.httpsProxy = preferences.httpsProxy;
|
||||||
|
this.shell = preferences.shell;
|
||||||
|
this.colorTheme = preferences.colorTheme;
|
||||||
|
this.localeTimezone = preferences.localeTimezone;
|
||||||
|
this.allowUntrustedCAs = preferences.allowUntrustedCAs;
|
||||||
|
this.allowTelemetry = preferences.allowTelemetry;
|
||||||
|
this.downloadMirror = preferences.downloadMirror;
|
||||||
|
this.downloadKubectlBinaries = preferences.downloadKubectlBinaries;
|
||||||
|
this.downloadBinariesPath = preferences.downloadBinariesPath;
|
||||||
|
this.kubectlBinariesPath = preferences.kubectlBinariesPath;
|
||||||
|
this.openAtLogin = preferences.openAtLogin;
|
||||||
|
|
||||||
|
this.hiddenTableColumns.clear();
|
||||||
|
|
||||||
|
for (const [tableId, columnIds] of preferences.hiddenTableColumns ?? []) {
|
||||||
|
this.hiddenTableColumns.set(tableId, new ObservableToggleSet(columnIds));
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
toJSON(): UserStoreModel {
|
toJSON(): UserStoreModel {
|
||||||
|
const hiddenTableColumns: [string, string[]][] = [];
|
||||||
|
|
||||||
|
for (const [key, values] of this.hiddenTableColumns.entries()) {
|
||||||
|
hiddenTableColumns.push([key, Array.from(values)]);
|
||||||
|
}
|
||||||
|
|
||||||
const model: UserStoreModel = {
|
const model: UserStoreModel = {
|
||||||
kubeConfigPath: this.kubeConfigPath,
|
kubeConfigPath: this.kubeConfigPath,
|
||||||
lastSeenAppVersion: this.lastSeenAppVersion,
|
lastSeenAppVersion: this.lastSeenAppVersion,
|
||||||
seenContexts: Array.from(this.seenContexts),
|
seenContexts: Array.from(this.seenContexts),
|
||||||
preferences: this.preferences,
|
preferences: {
|
||||||
|
httpsProxy: this.httpsProxy,
|
||||||
|
shell: this.shell,
|
||||||
|
colorTheme: this.colorTheme,
|
||||||
|
localeTimezone: this.localeTimezone,
|
||||||
|
allowUntrustedCAs: this.allowUntrustedCAs,
|
||||||
|
allowTelemetry: this.allowTelemetry,
|
||||||
|
downloadMirror: this.downloadMirror,
|
||||||
|
downloadKubectlBinaries: this.downloadKubectlBinaries,
|
||||||
|
downloadBinariesPath: this.downloadBinariesPath,
|
||||||
|
kubectlBinariesPath: this.kubectlBinariesPath,
|
||||||
|
openAtLogin: this.openAtLogin,
|
||||||
|
hiddenTableColumns,
|
||||||
|
},
|
||||||
};
|
};
|
||||||
|
|
||||||
return toJS(model, {
|
return toJS(model, {
|
||||||
|
|||||||
@ -7,19 +7,20 @@ export * from "./autobind";
|
|||||||
export * from "./base64";
|
export * from "./base64";
|
||||||
export * from "./camelCase";
|
export * from "./camelCase";
|
||||||
export * from "./cloneJson";
|
export * from "./cloneJson";
|
||||||
export * from "./delay";
|
|
||||||
export * from "./debouncePromise";
|
export * from "./debouncePromise";
|
||||||
export * from "./defineGlobal";
|
export * from "./defineGlobal";
|
||||||
export * from "./getRandId";
|
export * from "./delay";
|
||||||
export * from "./splitArray";
|
export * from "./disposer";
|
||||||
export * from "./saveToAppFiles";
|
|
||||||
export * from "./singleton";
|
|
||||||
export * from "./openExternal";
|
|
||||||
export * from "./downloadFile";
|
export * from "./downloadFile";
|
||||||
export * from "./escapeRegExp";
|
export * from "./escapeRegExp";
|
||||||
|
export * from "./getRandId";
|
||||||
|
export * from "./openExternal";
|
||||||
|
export * from "./saveToAppFiles";
|
||||||
|
export * from "./singleton";
|
||||||
|
export * from "./splitArray";
|
||||||
export * from "./tar";
|
export * from "./tar";
|
||||||
|
export * from "./toggle-set";
|
||||||
export * from "./type-narrowing";
|
export * from "./type-narrowing";
|
||||||
export * from "./disposer";
|
|
||||||
|
|
||||||
import * as iter from "./iter";
|
import * as iter from "./iter";
|
||||||
|
|
||||||
|
|||||||
20
src/common/utils/toggle-set.ts
Normal file
20
src/common/utils/toggle-set.ts
Normal file
@ -0,0 +1,20 @@
|
|||||||
|
import { action, ObservableSet } from "mobx";
|
||||||
|
|
||||||
|
export class ToggleSet<T> extends Set<T> {
|
||||||
|
public toggle(value: T): void {
|
||||||
|
if (!this.delete(value)) {
|
||||||
|
// Set.prototype.delete returns false if `value` was not in the set
|
||||||
|
this.add(value);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export class ObservableToggleSet<T> extends ObservableSet<T> {
|
||||||
|
@action
|
||||||
|
public toggle(value: T): void {
|
||||||
|
if (!this.delete(value)) {
|
||||||
|
// Set.prototype.delete returns false if `value` was not in the set
|
||||||
|
this.add(value);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@ -113,12 +113,12 @@ export class Kubectl {
|
|||||||
}
|
}
|
||||||
|
|
||||||
public getPathFromPreferences() {
|
public getPathFromPreferences() {
|
||||||
return UserStore.getInstance().preferences?.kubectlBinariesPath || this.getBundledPath();
|
return UserStore.getInstance().kubectlBinariesPath || this.getBundledPath();
|
||||||
}
|
}
|
||||||
|
|
||||||
protected getDownloadDir() {
|
protected getDownloadDir() {
|
||||||
if (UserStore.getInstance().preferences?.downloadBinariesPath) {
|
if (UserStore.getInstance().downloadBinariesPath) {
|
||||||
return path.join(UserStore.getInstance().preferences.downloadBinariesPath, "kubectl");
|
return path.join(UserStore.getInstance().downloadBinariesPath, "kubectl");
|
||||||
}
|
}
|
||||||
|
|
||||||
return Kubectl.kubectlDir;
|
return Kubectl.kubectlDir;
|
||||||
@ -129,7 +129,7 @@ export class Kubectl {
|
|||||||
return this.getBundledPath();
|
return this.getBundledPath();
|
||||||
}
|
}
|
||||||
|
|
||||||
if (UserStore.getInstance().preferences?.downloadKubectlBinaries === false) {
|
if (UserStore.getInstance().downloadKubectlBinaries === false) {
|
||||||
return this.getPathFromPreferences();
|
return this.getPathFromPreferences();
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -223,7 +223,7 @@ export class Kubectl {
|
|||||||
}
|
}
|
||||||
|
|
||||||
public async ensureKubectl(): Promise<boolean> {
|
public async ensureKubectl(): Promise<boolean> {
|
||||||
if (UserStore.getInstance().preferences?.downloadKubectlBinaries === false) {
|
if (UserStore.getInstance().downloadKubectlBinaries === false) {
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -303,7 +303,7 @@ export class Kubectl {
|
|||||||
}
|
}
|
||||||
|
|
||||||
protected async writeInitScripts() {
|
protected async writeInitScripts() {
|
||||||
const kubectlPath = UserStore.getInstance().preferences?.downloadKubectlBinaries ? this.dirname : path.dirname(this.getPathFromPreferences());
|
const kubectlPath = UserStore.getInstance().downloadKubectlBinaries ? this.dirname : path.dirname(this.getPathFromPreferences());
|
||||||
const helmPath = helmCli.getBinaryDir();
|
const helmPath = helmCli.getBinaryDir();
|
||||||
const fsPromises = fs.promises;
|
const fsPromises = fs.promises;
|
||||||
const bashScriptPath = path.join(this.dirname, ".bash_set_path");
|
const bashScriptPath = path.join(this.dirname, ".bash_set_path");
|
||||||
@ -361,7 +361,7 @@ export class Kubectl {
|
|||||||
}
|
}
|
||||||
|
|
||||||
protected getDownloadMirror() {
|
protected getDownloadMirror() {
|
||||||
const mirror = packageMirrors.get(UserStore.getInstance().preferences?.downloadMirror);
|
const mirror = packageMirrors.get(UserStore.getInstance().downloadMirror);
|
||||||
|
|
||||||
if (mirror) {
|
if (mirror) {
|
||||||
return mirror;
|
return mirror;
|
||||||
|
|||||||
@ -21,8 +21,8 @@ export class LocalShellSession extends ShellSession {
|
|||||||
|
|
||||||
protected async getShellArgs(shell: string): Promise<string[]> {
|
protected async getShellArgs(shell: string): Promise<string[]> {
|
||||||
const helmpath = helmCli.getBinaryDir();
|
const helmpath = helmCli.getBinaryDir();
|
||||||
const pathFromPreferences = UserStore.getInstance().preferences.kubectlBinariesPath || this.kubectl.getBundledPath();
|
const pathFromPreferences = UserStore.getInstance().kubectlBinariesPath || this.kubectl.getBundledPath();
|
||||||
const kubectlPathDir = UserStore.getInstance().preferences.downloadKubectlBinaries ? await this.kubectlBinDirP : path.dirname(pathFromPreferences);
|
const kubectlPathDir = UserStore.getInstance().downloadKubectlBinaries ? await this.kubectlBinDirP : path.dirname(pathFromPreferences);
|
||||||
|
|
||||||
switch(path.basename(shell)) {
|
switch(path.basename(shell)) {
|
||||||
case "powershell.exe":
|
case "powershell.exe":
|
||||||
|
|||||||
@ -119,7 +119,7 @@ export abstract class ShellSession {
|
|||||||
protected async getShellEnv() {
|
protected async getShellEnv() {
|
||||||
const env = clearKubeconfigEnvVars(JSON.parse(JSON.stringify(await shellEnv())));
|
const env = clearKubeconfigEnvVars(JSON.parse(JSON.stringify(await shellEnv())));
|
||||||
const pathStr = [...this.getPathEntries(), await this.kubectlBinDirP, process.env.PATH].join(path.delimiter);
|
const pathStr = [...this.getPathEntries(), await this.kubectlBinDirP, process.env.PATH].join(path.delimiter);
|
||||||
const shell = UserStore.getInstance().preferences.shell || process.env.SHELL || process.env.PTYSHELL;
|
const shell = UserStore.getInstance().resolvedShell;
|
||||||
|
|
||||||
delete env.DEBUG; // don't pass DEBUG into shells
|
delete env.DEBUG; // don't pass DEBUG into shells
|
||||||
|
|
||||||
|
|||||||
18
src/migrations/user-store/5.0.0-alpha.3.ts
Normal file
18
src/migrations/user-store/5.0.0-alpha.3.ts
Normal file
@ -0,0 +1,18 @@
|
|||||||
|
// Switch representation of hiddenTableColumns in store
|
||||||
|
import { migration } from "../migration-wrapper";
|
||||||
|
|
||||||
|
export default migration({
|
||||||
|
version: "5.0.0-alpha.3",
|
||||||
|
run(store) {
|
||||||
|
const preferences = store.get("preferences");
|
||||||
|
const oldHiddenTableColumns: Record<string, string[]> = preferences?.hiddenTableColumns;
|
||||||
|
|
||||||
|
if (!oldHiddenTableColumns) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
preferences.hiddenTableColumns = Object.entries(oldHiddenTableColumns);
|
||||||
|
|
||||||
|
store.set("preferences", preferences);
|
||||||
|
}
|
||||||
|
});
|
||||||
@ -1,6 +1,7 @@
|
|||||||
// User store migrations
|
// User store migrations
|
||||||
|
|
||||||
import version210Beta4 from "./2.1.0-beta.4";
|
import version210Beta4 from "./2.1.0-beta.4";
|
||||||
|
import version500Alpha3 from "./5.0.0-alpha.3";
|
||||||
import { fileNameMigration } from "./file-name-migration";
|
import { fileNameMigration } from "./file-name-migration";
|
||||||
|
|
||||||
export {
|
export {
|
||||||
@ -9,4 +10,5 @@ export {
|
|||||||
|
|
||||||
export default {
|
export default {
|
||||||
...version210Beta4,
|
...version210Beta4,
|
||||||
|
...version500Alpha3,
|
||||||
};
|
};
|
||||||
|
|||||||
@ -1,15 +1,16 @@
|
|||||||
import React, { useState } from "react";
|
import React, { useState } from "react";
|
||||||
import { Input, InputValidators } from "../input";
|
import { Input, InputValidators } from "../input";
|
||||||
import { SubTitle } from "../layout/sub-title";
|
import { SubTitle } from "../layout/sub-title";
|
||||||
import { getDefaultKubectlPath, UserPreferences } from "../../../common/user-store";
|
import { getDefaultKubectlPath, UserStore } from "../../../common/user-store";
|
||||||
import { observer } from "mobx-react";
|
import { observer } from "mobx-react";
|
||||||
import { bundledKubectlPath } from "../../../main/kubectl";
|
import { bundledKubectlPath } from "../../../main/kubectl";
|
||||||
import { SelectOption, Select } from "../select";
|
import { SelectOption, Select } from "../select";
|
||||||
import { FormSwitch, Switcher } from "../switch";
|
import { FormSwitch, Switcher } from "../switch";
|
||||||
|
|
||||||
export const KubectlBinaries = observer(({ preferences }: { preferences: UserPreferences }) => {
|
export const KubectlBinaries = observer(() => {
|
||||||
const [downloadPath, setDownloadPath] = useState(preferences.downloadBinariesPath || "");
|
const userStore = UserStore.getInstance();
|
||||||
const [binariesPath, setBinariesPath] = useState(preferences.kubectlBinariesPath || "");
|
const [downloadPath, setDownloadPath] = useState(userStore.downloadBinariesPath || "");
|
||||||
|
const [binariesPath, setBinariesPath] = useState(userStore.kubectlBinariesPath || "");
|
||||||
const pathValidator = downloadPath ? InputValidators.isPath : undefined;
|
const pathValidator = downloadPath ? InputValidators.isPath : undefined;
|
||||||
|
|
||||||
const downloadMirrorOptions: SelectOption<string>[] = [
|
const downloadMirrorOptions: SelectOption<string>[] = [
|
||||||
@ -18,8 +19,8 @@ export const KubectlBinaries = observer(({ preferences }: { preferences: UserPre
|
|||||||
];
|
];
|
||||||
|
|
||||||
const save = () => {
|
const save = () => {
|
||||||
preferences.downloadBinariesPath = downloadPath;
|
userStore.downloadBinariesPath = downloadPath;
|
||||||
preferences.kubectlBinariesPath = binariesPath;
|
userStore.kubectlBinariesPath = binariesPath;
|
||||||
};
|
};
|
||||||
|
|
||||||
return (
|
return (
|
||||||
@ -29,8 +30,8 @@ export const KubectlBinaries = observer(({ preferences }: { preferences: UserPre
|
|||||||
<FormSwitch
|
<FormSwitch
|
||||||
control={
|
control={
|
||||||
<Switcher
|
<Switcher
|
||||||
checked={preferences.downloadKubectlBinaries}
|
checked={userStore.downloadKubectlBinaries}
|
||||||
onChange={v => preferences.downloadKubectlBinaries = v.target.checked}
|
onChange={v => userStore.downloadKubectlBinaries = v.target.checked}
|
||||||
name="kubectl-download"
|
name="kubectl-download"
|
||||||
/>
|
/>
|
||||||
}
|
}
|
||||||
@ -45,9 +46,9 @@ export const KubectlBinaries = observer(({ preferences }: { preferences: UserPre
|
|||||||
<Select
|
<Select
|
||||||
placeholder="Download mirror for kubectl"
|
placeholder="Download mirror for kubectl"
|
||||||
options={downloadMirrorOptions}
|
options={downloadMirrorOptions}
|
||||||
value={preferences.downloadMirror}
|
value={userStore.downloadMirror}
|
||||||
onChange={({ value }: SelectOption) => preferences.downloadMirror = value}
|
onChange={({ value }: SelectOption) => userStore.downloadMirror = value}
|
||||||
disabled={!preferences.downloadKubectlBinaries}
|
disabled={!userStore.downloadKubectlBinaries}
|
||||||
themeName="lens"
|
themeName="lens"
|
||||||
/>
|
/>
|
||||||
</section>
|
</section>
|
||||||
@ -58,12 +59,12 @@ export const KubectlBinaries = observer(({ preferences }: { preferences: UserPre
|
|||||||
<SubTitle title="Directory for binaries" />
|
<SubTitle title="Directory for binaries" />
|
||||||
<Input
|
<Input
|
||||||
theme="round-black"
|
theme="round-black"
|
||||||
value={downloadPath}
|
value={userStore.downloadBinariesPath}
|
||||||
placeholder={getDefaultKubectlPath()}
|
placeholder={getDefaultKubectlPath()}
|
||||||
validators={pathValidator}
|
validators={pathValidator}
|
||||||
onChange={setDownloadPath}
|
onChange={setDownloadPath}
|
||||||
onBlur={save}
|
onBlur={save}
|
||||||
disabled={!preferences.downloadKubectlBinaries}
|
disabled={!userStore.downloadKubectlBinaries}
|
||||||
/>
|
/>
|
||||||
<div className="hint">
|
<div className="hint">
|
||||||
The directory to download binaries into.
|
The directory to download binaries into.
|
||||||
@ -81,7 +82,7 @@ export const KubectlBinaries = observer(({ preferences }: { preferences: UserPre
|
|||||||
validators={pathValidator}
|
validators={pathValidator}
|
||||||
onChange={setBinariesPath}
|
onChange={setBinariesPath}
|
||||||
onBlur={save}
|
onBlur={save}
|
||||||
disabled={preferences.downloadKubectlBinaries}
|
disabled={userStore.downloadKubectlBinaries}
|
||||||
/>
|
/>
|
||||||
</section>
|
</section>
|
||||||
</>
|
</>
|
||||||
|
|||||||
@ -30,8 +30,8 @@ enum Pages {
|
|||||||
|
|
||||||
@observer
|
@observer
|
||||||
export class Preferences extends React.Component {
|
export class Preferences extends React.Component {
|
||||||
@observable httpProxy = UserStore.getInstance().preferences.httpsProxy || "";
|
@observable httpProxy = UserStore.getInstance().httpsProxy || "";
|
||||||
@observable shell = UserStore.getInstance().preferences.shell || "";
|
@observable shell = UserStore.getInstance().shell || "";
|
||||||
@observable activeTab = Pages.Application;
|
@observable activeTab = Pages.Application;
|
||||||
|
|
||||||
@computed get themeOptions(): SelectOption<string>[] {
|
@computed get themeOptions(): SelectOption<string>[] {
|
||||||
@ -100,7 +100,6 @@ export class Preferences extends React.Component {
|
|||||||
render() {
|
render() {
|
||||||
const extensions = appPreferenceRegistry.getItems();
|
const extensions = appPreferenceRegistry.getItems();
|
||||||
const telemetryExtensions = extensions.filter(e => e.showInPreferencesTab == Pages.Telemetry);
|
const telemetryExtensions = extensions.filter(e => e.showInPreferencesTab == Pages.Telemetry);
|
||||||
const { preferences } = UserStore.getInstance();
|
|
||||||
const defaultShell = process.env.SHELL
|
const defaultShell = process.env.SHELL
|
||||||
|| process.env.PTYSHELL
|
|| process.env.PTYSHELL
|
||||||
|| (
|
|| (
|
||||||
@ -123,8 +122,8 @@ export class Preferences extends React.Component {
|
|||||||
<SubTitle title="Theme"/>
|
<SubTitle title="Theme"/>
|
||||||
<Select
|
<Select
|
||||||
options={this.themeOptions}
|
options={this.themeOptions}
|
||||||
value={preferences.colorTheme}
|
value={UserStore.getInstance().colorTheme}
|
||||||
onChange={({ value }: SelectOption) => preferences.colorTheme = value}
|
onChange={({ value }: SelectOption) => UserStore.getInstance().colorTheme = value}
|
||||||
themeName="lens"
|
themeName="lens"
|
||||||
/>
|
/>
|
||||||
</section>
|
</section>
|
||||||
@ -138,7 +137,7 @@ export class Preferences extends React.Component {
|
|||||||
placeholder={defaultShell}
|
placeholder={defaultShell}
|
||||||
value={this.shell}
|
value={this.shell}
|
||||||
onChange={v => this.shell = v}
|
onChange={v => this.shell = v}
|
||||||
onBlur={() => preferences.shell = this.shell}
|
onBlur={() => UserStore.getInstance().shell = this.shell}
|
||||||
/>
|
/>
|
||||||
</section>
|
</section>
|
||||||
|
|
||||||
@ -149,8 +148,8 @@ export class Preferences extends React.Component {
|
|||||||
<FormSwitch
|
<FormSwitch
|
||||||
control={
|
control={
|
||||||
<Switcher
|
<Switcher
|
||||||
checked={preferences.openAtLogin}
|
checked={UserStore.getInstance().openAtLogin}
|
||||||
onChange={v => preferences.openAtLogin = v.target.checked}
|
onChange={v => UserStore.getInstance().openAtLogin = v.target.checked}
|
||||||
name="startup"
|
name="startup"
|
||||||
/>
|
/>
|
||||||
}
|
}
|
||||||
@ -164,7 +163,7 @@ export class Preferences extends React.Component {
|
|||||||
<SubTitle title="Locale Timezone" />
|
<SubTitle title="Locale Timezone" />
|
||||||
<Select
|
<Select
|
||||||
options={this.timezoneOptions}
|
options={this.timezoneOptions}
|
||||||
value={preferences.localeTimezone}
|
value={UserStore.getInstance().localeTimezone}
|
||||||
onChange={({ value }: SelectOption) => UserStore.getInstance().setLocaleTimezone(value)}
|
onChange={({ value }: SelectOption) => UserStore.getInstance().setLocaleTimezone(value)}
|
||||||
themeName="lens"
|
themeName="lens"
|
||||||
/>
|
/>
|
||||||
@ -181,7 +180,7 @@ export class Preferences extends React.Component {
|
|||||||
placeholder="Type HTTP proxy url (example: http://proxy.acme.org:8080)"
|
placeholder="Type HTTP proxy url (example: http://proxy.acme.org:8080)"
|
||||||
value={this.httpProxy}
|
value={this.httpProxy}
|
||||||
onChange={v => this.httpProxy = v}
|
onChange={v => this.httpProxy = v}
|
||||||
onBlur={() => preferences.httpsProxy = this.httpProxy}
|
onBlur={() => UserStore.getInstance().httpsProxy = this.httpProxy}
|
||||||
/>
|
/>
|
||||||
<small className="hint">
|
<small className="hint">
|
||||||
Proxy is used only for non-cluster communication.
|
Proxy is used only for non-cluster communication.
|
||||||
@ -195,8 +194,8 @@ export class Preferences extends React.Component {
|
|||||||
<FormSwitch
|
<FormSwitch
|
||||||
control={
|
control={
|
||||||
<Switcher
|
<Switcher
|
||||||
checked={preferences.allowUntrustedCAs}
|
checked={UserStore.getInstance().allowUntrustedCAs}
|
||||||
onChange={v => preferences.allowUntrustedCAs = v.target.checked}
|
onChange={v => UserStore.getInstance().allowUntrustedCAs = v.target.checked}
|
||||||
name="startup"
|
name="startup"
|
||||||
/>
|
/>
|
||||||
}
|
}
|
||||||
@ -215,7 +214,7 @@ export class Preferences extends React.Component {
|
|||||||
<section id="kubernetes">
|
<section id="kubernetes">
|
||||||
<section id="kubectl">
|
<section id="kubectl">
|
||||||
<h2 data-testid="kubernetes-header">Kubernetes</h2>
|
<h2 data-testid="kubernetes-header">Kubernetes</h2>
|
||||||
<KubectlBinaries preferences={preferences}/>
|
<KubectlBinaries />
|
||||||
</section>
|
</section>
|
||||||
<hr/>
|
<hr/>
|
||||||
<section id="helm">
|
<section id="helm">
|
||||||
|
|||||||
@ -81,7 +81,6 @@ export class LogList extends React.Component<Props> {
|
|||||||
@computed
|
@computed
|
||||||
get logs() {
|
get logs() {
|
||||||
const showTimestamps = logTabStore.getData(this.props.id).showTimestamps;
|
const showTimestamps = logTabStore.getData(this.props.id).showTimestamps;
|
||||||
const { preferences } = UserStore.getInstance();
|
|
||||||
|
|
||||||
if (!showTimestamps) {
|
if (!showTimestamps) {
|
||||||
return logStore.logsWithoutTimestamps;
|
return logStore.logsWithoutTimestamps;
|
||||||
@ -89,7 +88,7 @@ export class LogList extends React.Component<Props> {
|
|||||||
|
|
||||||
return this.props.logs
|
return this.props.logs
|
||||||
.map(log => logStore.splitOutTimestamp(log))
|
.map(log => logStore.splitOutTimestamp(log))
|
||||||
.map(([logTimestamp, log]) => (`${moment.tz(logTimestamp, preferences.localeTimezone).format()}${log}`));
|
.map(([logTimestamp, log]) => (`${moment.tz(logTimestamp, UserStore.getInstance().localeTimezone).format()}${log}`));
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|||||||
@ -6,7 +6,7 @@ import { computed } from "mobx";
|
|||||||
import { disposeOnUnmount, observer } from "mobx-react";
|
import { disposeOnUnmount, observer } from "mobx-react";
|
||||||
import { ConfirmDialog, ConfirmDialogParams } from "../confirm-dialog";
|
import { ConfirmDialog, ConfirmDialogParams } from "../confirm-dialog";
|
||||||
import { Table, TableCell, TableCellProps, TableHead, TableProps, TableRow, TableRowProps, TableSortCallback } from "../table";
|
import { Table, TableCell, TableCellProps, TableHead, TableProps, TableRow, TableRowProps, TableSortCallback } from "../table";
|
||||||
import { autobind, createStorage, cssNames, IClassName, isReactNode, noop, prevDefault, stopPropagation } from "../../utils";
|
import { autobind, createStorage, cssNames, IClassName, isReactNode, noop, ObservableToggleSet, prevDefault, stopPropagation } from "../../utils";
|
||||||
import { AddRemoveButtons, AddRemoveButtonsProps } from "../add-remove-buttons";
|
import { AddRemoveButtons, AddRemoveButtonsProps } from "../add-remove-buttons";
|
||||||
import { NoItems } from "../no-items";
|
import { NoItems } from "../no-items";
|
||||||
import { Spinner } from "../spinner";
|
import { Spinner } from "../spinner";
|
||||||
@ -117,6 +117,10 @@ export class ItemListLayout extends React.Component<ItemListLayoutProps> {
|
|||||||
throw new Error("[ItemListLayout]: configurable list require props.tableId to be specified");
|
throw new Error("[ItemListLayout]: configurable list require props.tableId to be specified");
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (isConfigurable && !UserStore.getInstance().hiddenTableColumns.has(tableId)) {
|
||||||
|
UserStore.getInstance().hiddenTableColumns.set(tableId, new ObservableToggleSet());
|
||||||
|
}
|
||||||
|
|
||||||
if (preloadStores) {
|
if (preloadStores) {
|
||||||
this.loadStores();
|
this.loadStores();
|
||||||
|
|
||||||
@ -251,7 +255,7 @@ export class ItemListLayout extends React.Component<ItemListLayoutProps> {
|
|||||||
cellProps.className = cssNames(cellProps.className, headCell.className);
|
cellProps.className = cssNames(cellProps.className, headCell.className);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (!headCell || !this.isHiddenColumn(headCell)) {
|
if (!headCell || this.showColumn(headCell)) {
|
||||||
return <TableCell key={index} {...cellProps} />;
|
return <TableCell key={index} {...cellProps} />;
|
||||||
}
|
}
|
||||||
})
|
})
|
||||||
@ -420,11 +424,11 @@ export class ItemListLayout extends React.Component<ItemListLayoutProps> {
|
|||||||
onClick={prevDefault(() => store.toggleSelectionAll(enabledItems))}
|
onClick={prevDefault(() => store.toggleSelectionAll(enabledItems))}
|
||||||
/>
|
/>
|
||||||
)}
|
)}
|
||||||
{renderTableHeader.map((cellProps, index) => {
|
{renderTableHeader.map((cellProps, index) => (
|
||||||
if (!this.isHiddenColumn(cellProps)) {
|
this.showColumn(cellProps) && (
|
||||||
return <TableCell key={cellProps.id ?? index} {...cellProps} />;
|
<TableCell key={cellProps.id ?? index} {...cellProps} />
|
||||||
}
|
)
|
||||||
})}
|
))}
|
||||||
<TableCell className="menu">
|
<TableCell className="menu">
|
||||||
{isConfigurable && this.renderColumnVisibilityMenu()}
|
{isConfigurable && this.renderColumnVisibilityMenu()}
|
||||||
</TableCell>
|
</TableCell>
|
||||||
@ -468,34 +472,14 @@ export class ItemListLayout extends React.Component<ItemListLayoutProps> {
|
|||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
@computed get hiddenColumns() {
|
showColumn({ id: columnId, showWithColumn }: TableCellProps): boolean {
|
||||||
return UserStore.getInstance().getHiddenTableColumns(this.props.tableId);
|
const { tableId, isConfigurable } = this.props;
|
||||||
}
|
|
||||||
|
|
||||||
isHiddenColumn({ id: columnId, showWithColumn }: TableCellProps): boolean {
|
return !isConfigurable || !UserStore.getInstance().isTableColumnHidden(tableId, columnId, showWithColumn);
|
||||||
if (!this.props.isConfigurable) {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
return this.hiddenColumns.has(columnId) || (
|
|
||||||
showWithColumn && this.hiddenColumns.has(showWithColumn)
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
updateColumnVisibility({ id: columnId }: TableCellProps, isVisible: boolean) {
|
|
||||||
const hiddenColumns = new Set(this.hiddenColumns);
|
|
||||||
|
|
||||||
if (!isVisible) {
|
|
||||||
hiddenColumns.add(columnId);
|
|
||||||
} else {
|
|
||||||
hiddenColumns.delete(columnId);
|
|
||||||
}
|
|
||||||
|
|
||||||
UserStore.getInstance().setHiddenTableColumns(this.props.tableId, hiddenColumns);
|
|
||||||
}
|
}
|
||||||
|
|
||||||
renderColumnVisibilityMenu() {
|
renderColumnVisibilityMenu() {
|
||||||
const { renderTableHeader } = this.props;
|
const { renderTableHeader, tableId } = this.props;
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<MenuActions className="ItemListLayoutVisibilityMenu" toolbar={false} autoCloseOnSelect={false}>
|
<MenuActions className="ItemListLayoutVisibilityMenu" toolbar={false} autoCloseOnSelect={false}>
|
||||||
@ -504,8 +488,8 @@ export class ItemListLayout extends React.Component<ItemListLayoutProps> {
|
|||||||
<MenuItem key={index} className="input">
|
<MenuItem key={index} className="input">
|
||||||
<Checkbox
|
<Checkbox
|
||||||
label={cellProps.title ?? `<${cellProps.className}>`}
|
label={cellProps.title ?? `<${cellProps.className}>`}
|
||||||
value={!this.isHiddenColumn(cellProps)}
|
value={this.showColumn(cellProps)}
|
||||||
onChange={isVisible => this.updateColumnVisibility(cellProps, isVisible)}
|
onChange={() => UserStore.getInstance().toggleTableColumnVisibility(tableId, cellProps.id)}
|
||||||
/>
|
/>
|
||||||
</MenuItem>
|
</MenuItem>
|
||||||
)
|
)
|
||||||
|
|||||||
@ -10,9 +10,8 @@ interface Props {
|
|||||||
@observer
|
@observer
|
||||||
export class LocaleDate extends React.Component<Props> {
|
export class LocaleDate extends React.Component<Props> {
|
||||||
render() {
|
render() {
|
||||||
const { preferences } = UserStore.getInstance();
|
|
||||||
const { date } = this.props;
|
const { date } = this.props;
|
||||||
|
|
||||||
return <>{moment.tz(date, preferences.localeTimezone).format()}</>;
|
return moment.tz(date, UserStore.getInstance().localeTimezone).format();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -38,7 +38,7 @@ export class ThemeStore extends Singleton {
|
|||||||
}
|
}
|
||||||
|
|
||||||
@computed get activeThemeId(): string {
|
@computed get activeThemeId(): string {
|
||||||
return UserStore.getInstance().preferences.colorTheme;
|
return UserStore.getInstance().colorTheme;
|
||||||
}
|
}
|
||||||
|
|
||||||
@computed get activeTheme(): Theme {
|
@computed get activeTheme(): Theme {
|
||||||
|
|||||||
Loading…
Reference in New Issue
Block a user