diff --git a/.pre-commit-config.yaml b/.pre-commit-config.yaml index e2c2d585..291c7bdd 100644 --- a/.pre-commit-config.yaml +++ b/.pre-commit-config.yaml @@ -14,7 +14,7 @@ repos: hooks: - id: go-mod-tidy name: go mod tidy - entry: go mod tidy + entry: bash -c 'cd core && go mod tidy' language: system - files: (go\.mod|go\.sum|\.go)$ + files: ^core/.*\.(go|mod|sum)$ pass_filenames: false diff --git a/core/cmd/dms/commands_clipboard.go b/core/cmd/dms/commands_clipboard.go index 3dab31f1..75de43a0 100644 --- a/core/cmd/dms/commands_clipboard.go +++ b/core/cmd/dms/commands_clipboard.go @@ -23,7 +23,6 @@ import ( "syscall" "time" - "github.com/godbus/dbus/v5" bolt "go.etcd.io/bbolt" _ "golang.org/x/image/bmp" _ "golang.org/x/image/tiff" @@ -920,55 +919,99 @@ func downloadToTempFile(rawURL string) (string, error) { } func copyFileToClipboard(filePath string) error { - fileURI := "file://" + filePath + exportedPath, err := exportFileForFlatpak(filePath) + if err != nil { + log.Warnf("document export unavailable: %v, using local path", err) + exportedPath = filePath + } + fileURI := "file://" + exportedPath transferKey, err := startPortalFileTransfer(filePath) if err != nil { log.Warnf("portal file transfer unavailable: %v", err) } - offers := []clipboard.Offer{ - {MimeType: "text/uri-list", Data: []byte(fileURI + "\r\n")}, - } + portalOnly := os.Getenv("DMS_PORTAL_ONLY") == "1" + + var offers []clipboard.Offer if transferKey != "" { offers = append(offers, clipboard.Offer{ MimeType: "application/vnd.portal.filetransfer", Data: []byte(transferKey), }) } + if !portalOnly { + offers = append(offers, clipboard.Offer{ + MimeType: "text/uri-list", + Data: []byte(fileURI + "\r\n"), + }) + } + + if len(offers) == 0 { + return fmt.Errorf("no clipboard offers available") + } return clipboard.CopyMulti(offers, clipCopyForeground, clipCopyPasteOnce) } +func exportFileForFlatpak(filePath string) (string, error) { + req := models.Request{ + ID: 1, + Method: "clipboard.exportFile", + Params: map[string]any{ + "filePath": filePath, + }, + } + + resp, err := sendServerRequest(req) + if err != nil { + return "", fmt.Errorf("server request: %w", err) + } + + if resp.Error != "" { + return "", fmt.Errorf("server error: %s", resp.Error) + } + + result, ok := (*resp.Result).(map[string]any) + if !ok { + return "", fmt.Errorf("invalid response format") + } + + path, ok := result["path"].(string) + if !ok { + return "", fmt.Errorf("missing path in response") + } + + return path, nil +} + func startPortalFileTransfer(filePath string) (string, error) { - conn, err := dbus.ConnectSessionBus() + req := models.Request{ + ID: 1, + Method: "clipboard.startFileTransfer", + Params: map[string]any{ + "filePath": filePath, + }, + } + + resp, err := sendServerRequest(req) if err != nil { - return "", fmt.Errorf("connect session bus: %w", err) - } - defer conn.Close() - - portal := conn.Object("org.freedesktop.portal.Documents", "/org/freedesktop/portal/documents") - - var key string - options := map[string]dbus.Variant{ - "writable": dbus.MakeVariant(false), - "autostop": dbus.MakeVariant(true), - } - if err := portal.Call("org.freedesktop.portal.FileTransfer.StartTransfer", 0, options).Store(&key); err != nil { - return "", fmt.Errorf("start transfer: %w", err) + return "", fmt.Errorf("server request: %w", err) } - fd, err := syscall.Open(filePath, syscall.O_RDONLY, 0) - if err != nil { - return "", fmt.Errorf("open file: %w", err) + if resp.Error != "" { + return "", fmt.Errorf("server error: %s", resp.Error) } - addOptions := map[string]dbus.Variant{} - if err := portal.Call("org.freedesktop.portal.FileTransfer.AddFiles", 0, key, []dbus.UnixFD{dbus.UnixFD(fd)}, addOptions).Err; err != nil { - syscall.Close(fd) - return "", fmt.Errorf("add files: %w", err) + result, ok := (*resp.Result).(map[string]any) + if !ok { + return "", fmt.Errorf("invalid response format") + } + + key, ok := result["key"].(string) + if !ok { + return "", fmt.Errorf("missing key in response") } - syscall.Close(fd) return key, nil } diff --git a/core/internal/server/clipboard/handlers.go b/core/internal/server/clipboard/handlers.go index 0ddc48c3..19f1ba5a 100644 --- a/core/internal/server/clipboard/handlers.go +++ b/core/internal/server/clipboard/handlers.go @@ -45,6 +45,10 @@ func HandleRequest(conn net.Conn, req models.Request, m *Manager) { handleGetPinnedEntries(conn, req, m) case "clipboard.getPinnedCount": handleGetPinnedCount(conn, req, m) + case "clipboard.startFileTransfer": + handleStartFileTransfer(conn, req, m) + case "clipboard.exportFile": + handleExportFile(conn, req, m) default: models.RespondError(conn, req.ID, "unknown method: "+req.Method) } @@ -281,3 +285,35 @@ func handleGetPinnedCount(conn net.Conn, req models.Request, m *Manager) { count := m.GetPinnedCount() models.Respond(conn, req.ID, map[string]int{"count": count}) } + +func handleStartFileTransfer(conn net.Conn, req models.Request, m *Manager) { + filePath, err := params.String(req.Params, "filePath") + if err != nil { + models.RespondError(conn, req.ID, err.Error()) + return + } + + key, err := m.StartFileTransfer(filePath) + if err != nil { + models.RespondError(conn, req.ID, err.Error()) + return + } + + models.Respond(conn, req.ID, map[string]string{"key": key}) +} + +func handleExportFile(conn net.Conn, req models.Request, m *Manager) { + filePath, err := params.String(req.Params, "filePath") + if err != nil { + models.RespondError(conn, req.ID, err.Error()) + return + } + + exportedPath, err := m.ExportFileForFlatpak(filePath) + if err != nil { + models.RespondError(conn, req.ID, err.Error()) + return + } + + models.Respond(conn, req.ID, map[string]string{"path": exportedPath}) +} diff --git a/core/internal/server/clipboard/manager.go b/core/internal/server/clipboard/manager.go index 41045efa..74703c10 100644 --- a/core/internal/server/clipboard/manager.go +++ b/core/internal/server/clipboard/manager.go @@ -10,6 +10,7 @@ import ( _ "image/png" "io" "os" + "os/exec" "path/filepath" "slices" "strings" @@ -19,6 +20,7 @@ import ( "hash/fnv" "github.com/fsnotify/fsnotify" + "github.com/godbus/dbus/v5" _ "golang.org/x/image/bmp" _ "golang.org/x/image/tiff" _ "golang.org/x/image/webp" @@ -1529,3 +1531,133 @@ func (m *Manager) GetPinnedCount() int { return count } + +func (m *Manager) StartFileTransfer(filePath string) (string, error) { + if _, err := os.Stat(filePath); err != nil { + return "", fmt.Errorf("file not found: %w", err) + } + + if m.dbusConn == nil { + conn, err := dbus.ConnectSessionBus() + if err != nil { + return "", fmt.Errorf("connect session bus: %w", err) + } + if !conn.SupportsUnixFDs() { + conn.Close() + return "", fmt.Errorf("D-Bus connection does not support Unix FD passing") + } + m.dbusConn = conn + } + + portal := m.dbusConn.Object("org.freedesktop.portal.Documents", "/org/freedesktop/portal/documents") + + var key string + options := map[string]dbus.Variant{ + "writable": dbus.MakeVariant(false), + "autostop": dbus.MakeVariant(false), + } + if err := portal.Call("org.freedesktop.portal.FileTransfer.StartTransfer", 0, options).Store(&key); err != nil { + return "", fmt.Errorf("start transfer: %w", err) + } + + file, err := os.Open(filePath) + if err != nil { + return "", fmt.Errorf("open file: %w", err) + } + if _, err := file.Seek(0, 0); err != nil { + file.Close() + return "", fmt.Errorf("seek file: %w", err) + } + fd := int(file.Fd()) + + addOptions := map[string]dbus.Variant{} + if err := portal.Call("org.freedesktop.portal.FileTransfer.AddFiles", 0, key, []dbus.UnixFD{dbus.UnixFD(fd)}, addOptions).Err; err != nil { + file.Close() + return "", fmt.Errorf("add files: %w", err) + } + m.transferFiles = append(m.transferFiles, file) + + return key, nil +} + +func (m *Manager) ExportFileForFlatpak(filePath string) (string, error) { + if _, err := os.Stat(filePath); err != nil { + return "", fmt.Errorf("file not found: %w", err) + } + + if m.dbusConn == nil { + conn, err := dbus.ConnectSessionBus() + if err != nil { + return "", fmt.Errorf("connect session bus: %w", err) + } + if !conn.SupportsUnixFDs() { + conn.Close() + return "", fmt.Errorf("D-Bus connection does not support Unix FD passing") + } + m.dbusConn = conn + } + + file, err := os.Open(filePath) + if err != nil { + return "", fmt.Errorf("open file: %w", err) + } + fd := int(file.Fd()) + + portal := m.dbusConn.Object("org.freedesktop.portal.Documents", "/org/freedesktop/portal/documents") + + var docIds []string + var extra map[string]dbus.Variant + flags := uint32(0) + + err = portal.Call( + "org.freedesktop.portal.Documents.AddFull", + 0, + []dbus.UnixFD{dbus.UnixFD(fd)}, + flags, + "", + []string{}, + ).Store(&docIds, &extra) + + file.Close() + + if err != nil { + return "", fmt.Errorf("AddFull: %w", err) + } + + if len(docIds) == 0 { + return "", fmt.Errorf("no doc IDs returned") + } + + docId := docIds[0] + + for _, app := range getInstalledFlatpaks() { + _ = portal.Call( + "org.freedesktop.portal.Documents.GrantPermissions", + 0, + docId, + app, + []string{"read"}, + ).Err + } + + uid := os.Getuid() + basename := filepath.Base(filePath) + exportedPath := fmt.Sprintf("/run/user/%d/doc/%s/%s", uid, docId, basename) + + return exportedPath, nil +} + +func getInstalledFlatpaks() []string { + out, err := exec.Command("flatpak", "list", "--app", "--columns=application").Output() + if err != nil { + return nil + } + + var apps []string + for _, line := range strings.Split(strings.TrimSpace(string(out)), "\n") { + if app := strings.TrimSpace(line); app != "" { + apps = append(apps, app) + } + } + return apps +} diff --git a/core/internal/server/clipboard/types.go b/core/internal/server/clipboard/types.go index dc79d784..7b6f23d1 100644 --- a/core/internal/server/clipboard/types.go +++ b/core/internal/server/clipboard/types.go @@ -7,6 +7,7 @@ import ( "sync" "time" + "github.com/godbus/dbus/v5" bolt "go.etcd.io/bbolt" "github.com/AvengeMedia/DankMaterialShell/core/internal/server/wlcontext" @@ -157,6 +158,9 @@ type Manager struct { dirty chan struct{} notifierWg sync.WaitGroup lastState *State + + dbusConn *dbus.Conn + transferFiles []*os.File // Keep files open for portal transfers } func (m *Manager) GetState() State { diff --git a/quickshell/Common/Theme.qml b/quickshell/Common/Theme.qml index bbb0d3d9..d51fde2b 100644 --- a/quickshell/Common/Theme.qml +++ b/quickshell/Common/Theme.qml @@ -452,39 +452,39 @@ Singleton { readonly property var availableMatugenSchemes: [({ "value": "scheme-tonal-spot", - "label": "Tonal Spot", + "label": I18n.tr("Tonal Spot", "matugen color scheme option"), "description": I18n.tr("Balanced palette with focused accents (default).") }), ({ "value": "scheme-vibrant", - "label": "Vibrant", + "label": I18n.tr("Vibrant", "matugen color scheme option"), "description": I18n.tr("Lively palette with saturated accents.") }), ({ "value": "scheme-content", - "label": "Content", + "label": I18n.tr("Content", "matugen color scheme option"), "description": I18n.tr("Derives colors that closely match the underlying image.") }), ({ "value": "scheme-expressive", - "label": "Expressive", + "label": I18n.tr("Expressive", "matugen color scheme option"), "description": I18n.tr("Vibrant palette with playful saturation.") }), ({ "value": "scheme-fidelity", - "label": "Fidelity", + "label": I18n.tr("Fidelity", "matugen color scheme option"), "description": I18n.tr("High-fidelity palette that preserves source hues.") }), ({ "value": "scheme-fruit-salad", - "label": "Fruit Salad", + "label": I18n.tr("Fruit Salad", "matugen color scheme option"), "description": I18n.tr("Colorful mix of bright contrasting accents.") }), ({ "value": "scheme-monochrome", - "label": "Monochrome", + "label": I18n.tr("Monochrome", "matugen color scheme option"), "description": I18n.tr("Minimal palette built around a single hue.") }), ({ "value": "scheme-neutral", - "label": "Neutral", + "label": I18n.tr("Neutral", "matugen color scheme option"), "description": I18n.tr("Muted palette with subdued, calming tones.") }), ({ "value": "scheme-rainbow", - "label": "Rainbow", + "label": I18n.tr("Rainbow", "matugen color scheme option"), "description": I18n.tr("Diverse palette spanning the full spectrum.") })] @@ -1102,26 +1102,26 @@ Singleton { function getPowerProfileLabel(profile) { switch (profile) { case 0: - return "Power Saver"; + return I18n.tr("Power Saver", "power profile option"); case 1: - return "Balanced"; + return I18n.tr("Balanced", "power profile option"); case 2: - return "Performance"; + return I18n.tr("Performance", "power profile option"); default: - return "Unknown"; + return I18n.tr("Unknown", "power profile option"); } } function getPowerProfileDescription(profile) { switch (profile) { case 0: - return "Extend battery life"; + return I18n.tr("Extend battery life", "power profile description"); case 1: - return "Balance power and performance"; + return I18n.tr("Balance power and performance", "power profile description"); case 2: - return "Prioritize performance"; + return I18n.tr("Prioritize performance", "power profile description"); default: - return "Custom power profile"; + return I18n.tr("Custom power profile", "power profile description"); } } diff --git a/quickshell/Modals/DankLauncherV2/Controller.qml b/quickshell/Modals/DankLauncherV2/Controller.qml index 045a3922..b38a8d1e 100644 --- a/quickshell/Modals/DankLauncherV2/Controller.qml +++ b/quickshell/Modals/DankLauncherV2/Controller.qml @@ -328,12 +328,25 @@ Item { function loadPluginCategories(pluginId) { if (!pluginId) { - activePluginCategories = []; - activePluginCategory = ""; + if (activePluginCategories.length > 0) { + activePluginCategories = []; + activePluginCategory = ""; + } return; } const categories = AppSearchService.getPluginLauncherCategories(pluginId); + if (categories.length === activePluginCategories.length) { + let same = true; + for (let i = 0; i < categories.length; i++) { + if (categories[i].id !== activePluginCategories[i]?.id) { + same = false; + break; + } + } + if (same) + return; + } activePluginCategories = categories; activePluginCategory = ""; AppSearchService.setPluginLauncherCategory(pluginId, ""); diff --git a/quickshell/Modules/ControlCenter/Components/DragDropGrid.qml b/quickshell/Modules/ControlCenter/Components/DragDropGrid.qml index 7b8df927..cb8c6c67 100644 --- a/quickshell/Modules/ControlCenter/Components/DragDropGrid.qml +++ b/quickshell/Modules/ControlCenter/Components/DragDropGrid.qml @@ -274,39 +274,39 @@ Column { case "wifi": { if (NetworkService.wifiToggling) - return NetworkService.wifiEnabled ? "Disabling WiFi..." : "Enabling WiFi..."; + return NetworkService.wifiEnabled ? I18n.tr("Disabling WiFi...", "network status") : I18n.tr("Enabling WiFi...", "network status"); const status = NetworkService.networkStatus; if (status === "ethernet") - return "Ethernet"; + return I18n.tr("Ethernet", "network status"); if (status === "vpn") { if (NetworkService.ethernetConnected) - return "Ethernet"; + return I18n.tr("Ethernet", "network status"); if (NetworkService.wifiConnected && NetworkService.currentWifiSSID) return NetworkService.currentWifiSSID; } if (status === "wifi" && NetworkService.currentWifiSSID) return NetworkService.currentWifiSSID; if (NetworkService.wifiEnabled) - return "Not connected"; - return "WiFi off"; + return I18n.tr("Not connected", "network status"); + return I18n.tr("WiFi off", "network status"); } case "bluetooth": { if (!BluetoothService.available) - return "Bluetooth"; + return I18n.tr("Bluetooth", "bluetooth status"); if (!BluetoothService.adapter) - return "No adapter"; + return I18n.tr("No adapter", "bluetooth status"); if (!BluetoothService.adapter.enabled) - return "Disabled"; - return "Enabled"; + return I18n.tr("Disabled", "bluetooth status"); + return I18n.tr("Enabled", "bluetooth status"); } case "audioOutput": - return AudioService.sink?.description || "No output device"; + return AudioService.sink?.description || I18n.tr("No output device", "audio status"); case "audioInput": - return AudioService.source?.description || "No input device"; + return AudioService.source?.description || I18n.tr("No input device", "audio status"); default: - return widgetDef?.text || "Unknown"; + return widgetDef?.text || I18n.tr("Unknown", "widget status"); } } secondaryText: { @@ -314,29 +314,29 @@ Column { case "wifi": { if (NetworkService.wifiToggling) - return "Please wait..."; + return I18n.tr("Please wait...", "network status"); const status = NetworkService.networkStatus; if (status === "ethernet") - return "Connected"; + return I18n.tr("Connected", "network status"); if (status === "vpn") { if (NetworkService.ethernetConnected) - return "Connected"; + return I18n.tr("Connected", "network status"); if (NetworkService.wifiConnected) - return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : "Connected"; + return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : I18n.tr("Connected", "network status"); } if (status === "wifi") - return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : "Connected"; + return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : I18n.tr("Connected", "network status"); if (NetworkService.wifiEnabled) - return "Select network"; + return I18n.tr("Select network", "network status"); return ""; } case "bluetooth": { if (!BluetoothService.available) - return "No adapters"; + return I18n.tr("No adapters", "bluetooth status"); if (!BluetoothService.adapter || !BluetoothService.adapter.enabled) - return "Off"; + return I18n.tr("Off", "bluetooth status"); const primaryDevice = (() => { if (!BluetoothService.adapter || !BluetoothService.adapter.devices) return null; @@ -348,15 +348,15 @@ Column { return null; })(); if (primaryDevice) - return primaryDevice.name || primaryDevice.alias || primaryDevice.deviceName || "Connected Device"; - return "No devices"; + return primaryDevice.name || primaryDevice.alias || primaryDevice.deviceName || I18n.tr("Connected Device", "bluetooth status"); + return I18n.tr("No devices", "bluetooth status"); } case "audioOutput": { if (!AudioService.sink) - return "Select device"; + return I18n.tr("Select device", "audio status"); if (AudioService.sink.audio.muted) - return "Muted"; + return I18n.tr("Muted", "audio status"); const volume = AudioService.sink.audio.volume; if (typeof volume !== "number" || isNaN(volume)) return "0%"; @@ -365,9 +365,9 @@ Column { case "audioInput": { if (!AudioService.source) - return "Select device"; + return I18n.tr("Select device", "audio status"); if (AudioService.source.audio.muted) - return "Muted"; + return I18n.tr("Muted", "audio status"); const volume = AudioService.source.audio.volume; if (typeof volume !== "number" || isNaN(volume)) return "0%"; @@ -606,7 +606,7 @@ Column { case "idleInhibitor": return SessionService.idleInhibited ? I18n.tr("Keeping Awake") : I18n.tr("Keep Awake"); default: - return "Unknown"; + return I18n.tr("Unknown", "widget status"); } } diff --git a/quickshell/Modules/Settings/DockTab.qml b/quickshell/Modules/Settings/DockTab.qml index 3cc5d2e2..77075238 100644 --- a/quickshell/Modules/Settings/DockTab.qml +++ b/quickshell/Modules/Settings/DockTab.qml @@ -28,7 +28,7 @@ Item { SettingsButtonGroupRow { text: I18n.tr("Position") - model: ["Top", "Bottom", "Left", "Right"] + model: [I18n.tr("Top", "dock position option"), I18n.tr("Bottom", "dock position option"), I18n.tr("Left", "dock position option"), I18n.tr("Right", "dock position option")] buttonPadding: Theme.spacingS minButtonWidth: 44 textSize: Theme.fontSizeSmall @@ -151,7 +151,7 @@ Item { settingKey: "dockIndicatorStyle" tags: ["dock", "indicator", "style", "circle", "line"] text: I18n.tr("Indicator Style") - model: ["Circle", "Line"] + model: [I18n.tr("Circle", "dock indicator style option"), I18n.tr("Line", "dock indicator style option")] buttonPadding: Theme.spacingS minButtonWidth: 44 textSize: Theme.fontSizeSmall @@ -500,7 +500,7 @@ Item { text: I18n.tr("Border Color") description: I18n.tr("Choose the border accent color") visible: SettingsData.dockBorderEnabled - model: ["Surface", "Secondary", "Primary"] + model: [I18n.tr("Surface", "color option"), I18n.tr("Secondary", "color option"), I18n.tr("Primary", "color option")] buttonPadding: Theme.spacingS minButtonWidth: 44 textSize: Theme.fontSizeSmall diff --git a/quickshell/Modules/Settings/MediaPlayerTab.qml b/quickshell/Modules/Settings/MediaPlayerTab.qml index a8f30548..e6846abf 100644 --- a/quickshell/Modules/Settings/MediaPlayerTab.qml +++ b/quickshell/Modules/Settings/MediaPlayerTab.qml @@ -47,22 +47,22 @@ Item { } SettingsDropdownRow { - property var scrollOpts: { - "Change Volume": "volume", - "Change Song": "song", - "Nothing": "nothing" - } + property var scrollOptsInternal: ["volume", "song", "nothing"] + property var scrollOptsDisplay: [I18n.tr("Change Volume", "media scroll wheel option"), I18n.tr("Change Song", "media scroll wheel option"), I18n.tr("Nothing", "media scroll wheel option")] text: I18n.tr("Scroll Wheel") description: I18n.tr("Scroll wheel behavior on media widget") settingKey: "audioScrollMode" tags: ["media", "music", "scroll"] - options: Object.keys(scrollOpts).sort() + options: scrollOptsDisplay currentValue: { - Object.keys(scrollOpts).find(key => scrollOpts[key] === SettingsData.audioScrollMode) ?? "volume" + const idx = scrollOptsInternal.indexOf(SettingsData.audioScrollMode); + return idx >= 0 ? scrollOptsDisplay[idx] : scrollOptsDisplay[0]; } onValueChanged: value => { - SettingsData.set("audioScrollMode", scrollOpts[value]) + const idx = scrollOptsDisplay.indexOf(value); + if (idx >= 0) + SettingsData.set("audioScrollMode", scrollOptsInternal[idx]); } } } diff --git a/quickshell/Modules/Settings/NotificationsTab.qml b/quickshell/Modules/Settings/NotificationsTab.qml index e80774ae..74fed251 100644 --- a/quickshell/Modules/Settings/NotificationsTab.qml +++ b/quickshell/Modules/Settings/NotificationsTab.qml @@ -99,38 +99,32 @@ Item { description: I18n.tr("Choose where notification popups appear on screen") currentValue: { if (SettingsData.notificationPopupPosition === -1) - return "Top Center"; + return I18n.tr("Top Center", "screen position option"); switch (SettingsData.notificationPopupPosition) { case SettingsData.Position.Top: - return "Top Right"; + return I18n.tr("Top Right", "screen position option"); case SettingsData.Position.Bottom: - return "Bottom Left"; + return I18n.tr("Bottom Left", "screen position option"); case SettingsData.Position.Left: - return "Top Left"; + return I18n.tr("Top Left", "screen position option"); case SettingsData.Position.Right: - return "Bottom Right"; + return I18n.tr("Bottom Right", "screen position option"); default: - return "Top Right"; + return I18n.tr("Top Right", "screen position option"); } } - options: ["Top Right", "Top Left", "Top Center", "Bottom Right", "Bottom Left"] + options: [I18n.tr("Top Right", "screen position option"), I18n.tr("Top Left", "screen position option"), I18n.tr("Top Center", "screen position option"), I18n.tr("Bottom Right", "screen position option"), I18n.tr("Bottom Left", "screen position option")] onValueChanged: value => { - switch (value) { - case "Top Right": + if (value === I18n.tr("Top Right", "screen position option")) { SettingsData.set("notificationPopupPosition", SettingsData.Position.Top); - break; - case "Top Left": + } else if (value === I18n.tr("Top Left", "screen position option")) { SettingsData.set("notificationPopupPosition", SettingsData.Position.Left); - break; - case "Top Center": + } else if (value === I18n.tr("Top Center", "screen position option")) { SettingsData.set("notificationPopupPosition", -1); - break; - case "Bottom Right": + } else if (value === I18n.tr("Bottom Right", "screen position option")) { SettingsData.set("notificationPopupPosition", SettingsData.Position.Right); - break; - case "Bottom Left": + } else if (value === I18n.tr("Bottom Left", "screen position option")) { SettingsData.set("notificationPopupPosition", SettingsData.Position.Bottom); - break; } SettingsData.sendTestNotifications(); } diff --git a/quickshell/Modules/Settings/OSDTab.qml b/quickshell/Modules/Settings/OSDTab.qml index 65efc384..f105cf85 100644 --- a/quickshell/Modules/Settings/OSDTab.qml +++ b/quickshell/Modules/Settings/OSDTab.qml @@ -31,52 +31,43 @@ Item { currentValue: { switch (SettingsData.osdPosition) { case SettingsData.Position.Top: - return "Top Right"; + return I18n.tr("Top Right", "screen position option"); case SettingsData.Position.Left: - return "Top Left"; + return I18n.tr("Top Left", "screen position option"); case SettingsData.Position.TopCenter: - return "Top Center"; + return I18n.tr("Top Center", "screen position option"); case SettingsData.Position.Right: - return "Bottom Right"; + return I18n.tr("Bottom Right", "screen position option"); case SettingsData.Position.Bottom: - return "Bottom Left"; + return I18n.tr("Bottom Left", "screen position option"); case SettingsData.Position.BottomCenter: - return "Bottom Center"; + return I18n.tr("Bottom Center", "screen position option"); case SettingsData.Position.LeftCenter: - return "Left Center"; + return I18n.tr("Left Center", "screen position option"); case SettingsData.Position.RightCenter: - return "Right Center"; + return I18n.tr("Right Center", "screen position option"); default: - return "Bottom Center"; + return I18n.tr("Bottom Center", "screen position option"); } } - options: ["Top Right", "Top Left", "Top Center", "Bottom Right", "Bottom Left", "Bottom Center", "Left Center", "Right Center"] + options: [I18n.tr("Top Right", "screen position option"), I18n.tr("Top Left", "screen position option"), I18n.tr("Top Center", "screen position option"), I18n.tr("Bottom Right", "screen position option"), I18n.tr("Bottom Left", "screen position option"), I18n.tr("Bottom Center", "screen position option"), I18n.tr("Left Center", "screen position option"), I18n.tr("Right Center", "screen position option")] onValueChanged: value => { - switch (value) { - case "Top Right": + if (value === I18n.tr("Top Right", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.Top); - break; - case "Top Left": + } else if (value === I18n.tr("Top Left", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.Left); - break; - case "Top Center": + } else if (value === I18n.tr("Top Center", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.TopCenter); - break; - case "Bottom Right": + } else if (value === I18n.tr("Bottom Right", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.Right); - break; - case "Bottom Left": + } else if (value === I18n.tr("Bottom Left", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.Bottom); - break; - case "Bottom Center": + } else if (value === I18n.tr("Bottom Center", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.BottomCenter); - break; - case "Left Center": + } else if (value === I18n.tr("Left Center", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.LeftCenter); - break; - case "Right Center": + } else if (value === I18n.tr("Right Center", "screen position option")) { SettingsData.set("osdPosition", SettingsData.Position.RightCenter); - break; } } } diff --git a/quickshell/Modules/Settings/ThemeColorsTab.qml b/quickshell/Modules/Settings/ThemeColorsTab.qml index c42465b5..fa5b970a 100644 --- a/quickshell/Modules/Settings/ThemeColorsTab.qml +++ b/quickshell/Modules/Settings/ThemeColorsTab.qml @@ -281,7 +281,7 @@ Item { return 0; } - model: DMSService.dmsAvailable ? ["Generic", "Auto", "Custom", "Browse"] : ["Generic", "Auto", "Custom"] + model: DMSService.dmsAvailable ? [I18n.tr("Generic", "theme category option"), I18n.tr("Auto", "theme category option"), I18n.tr("Custom", "theme category option"), I18n.tr("Browse", "theme category option")] : [I18n.tr("Generic", "theme category option"), I18n.tr("Auto", "theme category option"), I18n.tr("Custom", "theme category option")] currentIndex: pendingIndex >= 0 ? pendingIndex : computedIndex selectionMode: "single" onSelectionChanged: (index, selected) => { @@ -1440,7 +1440,7 @@ Item { settingKey: "widgetColorMode" text: I18n.tr("Widget Style") description: I18n.tr("Change bar appearance") - model: ["default", "colorful"] + model: [I18n.tr("Default", "widget style option"), I18n.tr("Colorful", "widget style option")] currentIndex: SettingsData.widgetColorMode === "colorful" ? 1 : 0 onSelectionChanged: (index, selected) => { if (!selected) @@ -1489,32 +1489,28 @@ Item { tags: ["control", "center", "tile", "button", "color", "active"] settingKey: "controlCenterTileColorMode" text: I18n.tr("Control Center Tile Color") - description: I18n.tr("Active tile background and icon color") - options: ["Primary", "Primary Container", "Secondary", "Surface Variant"] + description: I18n.tr("Active tile background and icon color", "control center tile color setting description") + options: [I18n.tr("Primary", "tile color option"), I18n.tr("Primary Container", "tile color option"), I18n.tr("Secondary", "tile color option"), I18n.tr("Surface Variant", "tile color option")] currentValue: { switch (SettingsData.controlCenterTileColorMode) { case "primaryContainer": - return "Primary Container"; + return I18n.tr("Primary Container", "tile color option"); case "secondary": - return "Secondary"; + return I18n.tr("Secondary", "tile color option"); case "surfaceVariant": - return "Surface Variant"; + return I18n.tr("Surface Variant", "tile color option"); default: - return "Primary"; + return I18n.tr("Primary", "tile color option"); } } onValueChanged: value => { - switch (value) { - case "Primary Container": + if (value === I18n.tr("Primary Container", "tile color option")) { SettingsData.set("controlCenterTileColorMode", "primaryContainer"); - return; - case "Secondary": + } else if (value === I18n.tr("Secondary", "tile color option")) { SettingsData.set("controlCenterTileColorMode", "secondary"); - return; - case "Surface Variant": + } else if (value === I18n.tr("Surface Variant", "tile color option")) { SettingsData.set("controlCenterTileColorMode", "surfaceVariant"); - return; - default: + } else { SettingsData.set("controlCenterTileColorMode", "primary"); } } diff --git a/quickshell/Modules/Settings/TimeWeatherTab.qml b/quickshell/Modules/Settings/TimeWeatherTab.qml index d8db5efb..34a3a4e1 100644 --- a/quickshell/Modules/Settings/TimeWeatherTab.qml +++ b/quickshell/Modules/Settings/TimeWeatherTab.qml @@ -75,60 +75,59 @@ Item { settingKey: "clockDateFormat" text: I18n.tr("Top Bar Format") description: "Preview: " + (SettingsData.clockDateFormat ? new Date().toLocaleDateString(Qt.locale(), SettingsData.clockDateFormat) : new Date().toLocaleDateString(Qt.locale(), "ddd d")) - options: ["System Default", "Day Date", "Day Month Date", "Month Date", "Numeric (M/D)", "Numeric (D/M)", "Full with Year", "ISO Date", "Full Day & Month", "Custom..."] + options: [I18n.tr("System Default", "date format option"), I18n.tr("Day Date", "date format option"), I18n.tr("Day Month Date", "date format option"), I18n.tr("Month Date", "date format option"), I18n.tr("Numeric (M/D)", "date format option"), I18n.tr("Numeric (D/M)", "date format option"), I18n.tr("Full with Year", "date format option"), I18n.tr("ISO Date", "date format option"), I18n.tr("Full Day & Month", "date format option"), I18n.tr("Custom...", "date format option")] currentValue: { if (!SettingsData.clockDateFormat || SettingsData.clockDateFormat.length === 0) - return "System Default"; + return I18n.tr("System Default", "date format option"); const presets = [ { "format": "ddd d", - "label": "Day Date" + "label": I18n.tr("Day Date", "date format option") }, { "format": "ddd MMM d", - "label": "Day Month Date" + "label": I18n.tr("Day Month Date", "date format option") }, { "format": "MMM d", - "label": "Month Date" + "label": I18n.tr("Month Date", "date format option") }, { "format": "M/d", - "label": "Numeric (M/D)" + "label": I18n.tr("Numeric (M/D)", "date format option") }, { "format": "d/M", - "label": "Numeric (D/M)" + "label": I18n.tr("Numeric (D/M)", "date format option") }, { "format": "ddd d MMM yyyy", - "label": "Full with Year" + "label": I18n.tr("Full with Year", "date format option") }, { "format": "yyyy-MM-dd", - "label": "ISO Date" + "label": I18n.tr("ISO Date", "date format option") }, { "format": "dddd, MMMM d", - "label": "Full Day & Month" + "label": I18n.tr("Full Day & Month", "date format option") } ]; const match = presets.find(p => p.format === SettingsData.clockDateFormat); return match ? match.label : I18n.tr("Custom: ") + SettingsData.clockDateFormat; } onValueChanged: value => { - const formatMap = { - "System Default": "", - "Day Date": "ddd d", - "Day Month Date": "ddd MMM d", - "Month Date": "MMM d", - "Numeric (M/D)": "M/d", - "Numeric (D/M)": "d/M", - "Full with Year": "ddd d MMM yyyy", - "ISO Date": "yyyy-MM-dd", - "Full Day & Month": "dddd, MMMM d" - }; - if (value === "Custom...") { + const formatMap = {}; + formatMap[I18n.tr("System Default", "date format option")] = ""; + formatMap[I18n.tr("Day Date", "date format option")] = "ddd d"; + formatMap[I18n.tr("Day Month Date", "date format option")] = "ddd MMM d"; + formatMap[I18n.tr("Month Date", "date format option")] = "MMM d"; + formatMap[I18n.tr("Numeric (M/D)", "date format option")] = "M/d"; + formatMap[I18n.tr("Numeric (D/M)", "date format option")] = "d/M"; + formatMap[I18n.tr("Full with Year", "date format option")] = "ddd d MMM yyyy"; + formatMap[I18n.tr("ISO Date", "date format option")] = "yyyy-MM-dd"; + formatMap[I18n.tr("Full Day & Month", "date format option")] = "dddd, MMMM d"; + if (value === I18n.tr("Custom...", "date format option")) { customFormatInput.visible = true; } else { customFormatInput.visible = false; @@ -163,60 +162,59 @@ Item { settingKey: "lockDateFormat" text: I18n.tr("Lock Screen Format") description: "Preview: " + (SettingsData.lockDateFormat ? new Date().toLocaleDateString(Qt.locale(), SettingsData.lockDateFormat) : new Date().toLocaleDateString(Qt.locale(), Locale.LongFormat)) - options: ["System Default", "Day Date", "Day Month Date", "Month Date", "Numeric (M/D)", "Numeric (D/M)", "Full with Year", "ISO Date", "Full Day & Month", "Custom..."] + options: [I18n.tr("System Default", "date format option"), I18n.tr("Day Date", "date format option"), I18n.tr("Day Month Date", "date format option"), I18n.tr("Month Date", "date format option"), I18n.tr("Numeric (M/D)", "date format option"), I18n.tr("Numeric (D/M)", "date format option"), I18n.tr("Full with Year", "date format option"), I18n.tr("ISO Date", "date format option"), I18n.tr("Full Day & Month", "date format option"), I18n.tr("Custom...", "date format option")] currentValue: { if (!SettingsData.lockDateFormat || SettingsData.lockDateFormat.length === 0) - return "System Default"; + return I18n.tr("System Default", "date format option"); const presets = [ { "format": "ddd d", - "label": "Day Date" + "label": I18n.tr("Day Date", "date format option") }, { "format": "ddd MMM d", - "label": "Day Month Date" + "label": I18n.tr("Day Month Date", "date format option") }, { "format": "MMM d", - "label": "Month Date" + "label": I18n.tr("Month Date", "date format option") }, { "format": "M/d", - "label": "Numeric (M/D)" + "label": I18n.tr("Numeric (M/D)", "date format option") }, { "format": "d/M", - "label": "Numeric (D/M)" + "label": I18n.tr("Numeric (D/M)", "date format option") }, { "format": "ddd d MMM yyyy", - "label": "Full with Year" + "label": I18n.tr("Full with Year", "date format option") }, { "format": "yyyy-MM-dd", - "label": "ISO Date" + "label": I18n.tr("ISO Date", "date format option") }, { "format": "dddd, MMMM d", - "label": "Full Day & Month" + "label": I18n.tr("Full Day & Month", "date format option") } ]; const match = presets.find(p => p.format === SettingsData.lockDateFormat); return match ? match.label : I18n.tr("Custom: ") + SettingsData.lockDateFormat; } onValueChanged: value => { - const formatMap = { - "System Default": "", - "Day Date": "ddd d", - "Day Month Date": "ddd MMM d", - "Month Date": "MMM d", - "Numeric (M/D)": "M/d", - "Numeric (D/M)": "d/M", - "Full with Year": "ddd d MMM yyyy", - "ISO Date": "yyyy-MM-dd", - "Full Day & Month": "dddd, MMMM d" - }; - if (value === "Custom...") { + const formatMap = {}; + formatMap[I18n.tr("System Default", "date format option")] = ""; + formatMap[I18n.tr("Day Date", "date format option")] = "ddd d"; + formatMap[I18n.tr("Day Month Date", "date format option")] = "ddd MMM d"; + formatMap[I18n.tr("Month Date", "date format option")] = "MMM d"; + formatMap[I18n.tr("Numeric (M/D)", "date format option")] = "M/d"; + formatMap[I18n.tr("Numeric (D/M)", "date format option")] = "d/M"; + formatMap[I18n.tr("Full with Year", "date format option")] = "ddd d MMM yyyy"; + formatMap[I18n.tr("ISO Date", "date format option")] = "yyyy-MM-dd"; + formatMap[I18n.tr("Full Day & Month", "date format option")] = "dddd, MMMM d"; + if (value === I18n.tr("Custom...", "date format option")) { customLockFormatInput.visible = true; } else { customLockFormatInput.visible = false; diff --git a/quickshell/Modules/Settings/WallpaperTab.qml b/quickshell/Modules/Settings/WallpaperTab.qml index 6a66d1ea..99168da1 100644 --- a/quickshell/Modules/Settings/WallpaperTab.qml +++ b/quickshell/Modules/Settings/WallpaperTab.qml @@ -318,8 +318,9 @@ Item { DankButtonGroup { id: fillModeGroup + property var internalModes: ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"] anchors.horizontalCenter: parent.horizontalCenter - model: ["Stretch", "Fit", "Fill", "Tile", "Tile V", "Tile H", "Pad"] + model: [I18n.tr("Stretch", "wallpaper fill mode"), I18n.tr("Fit", "wallpaper fill mode"), I18n.tr("Fill", "wallpaper fill mode"), I18n.tr("Tile", "wallpaper fill mode"), I18n.tr("Tile V", "wallpaper fill mode"), I18n.tr("Tile H", "wallpaper fill mode"), I18n.tr("Pad", "wallpaper fill mode")] selectionMode: "single" buttonHeight: 28 minButtonWidth: 48 @@ -328,21 +329,18 @@ Item { textSize: Theme.fontSizeSmall checkEnabled: false currentIndex: { - const modes = ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"]; - return modes.indexOf(SettingsData.wallpaperFillMode); + return internalModes.indexOf(SettingsData.wallpaperFillMode); } onSelectionChanged: (index, selected) => { if (!selected) return; - const modes = ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"]; - SettingsData.set("wallpaperFillMode", modes[index]); + SettingsData.set("wallpaperFillMode", internalModes[index]); } Connections { target: SettingsData function onWallpaperFillModeChanged() { - const modes = ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"]; - fillModeGroup.currentIndex = modes.indexOf(SettingsData.wallpaperFillMode); + fillModeGroup.currentIndex = fillModeGroup.internalModes.indexOf(SettingsData.wallpaperFillMode); } } } @@ -1134,15 +1132,41 @@ Item { settingKey: "wallpaperTransition" text: I18n.tr("Transition Effect") description: I18n.tr("Visual effect used when wallpaper changes") - currentValue: { - if (SessionData.wallpaperTransition === "random") - return "Random"; - return SessionData.wallpaperTransition.charAt(0).toUpperCase() + SessionData.wallpaperTransition.slice(1); + + function getTransitionLabel(t) { + switch (t) { + case "random": + return I18n.tr("Random", "wallpaper transition option"); + case "none": + return I18n.tr("None", "wallpaper transition option"); + case "fade": + return I18n.tr("Fade", "wallpaper transition option"); + case "wipe": + return I18n.tr("Wipe", "wallpaper transition option"); + case "disc": + return I18n.tr("Disc", "wallpaper transition option"); + case "stripes": + return I18n.tr("Stripes", "wallpaper transition option"); + case "iris bloom": + return I18n.tr("Iris Bloom", "wallpaper transition option"); + case "pixelate": + return I18n.tr("Pixelate", "wallpaper transition option"); + case "portal": + return I18n.tr("Portal", "wallpaper transition option"); + default: + return t.charAt(0).toUpperCase() + t.slice(1); + } } - options: ["Random"].concat(SessionData.availableWallpaperTransitions.map(t => t.charAt(0).toUpperCase() + t.slice(1))) + + currentValue: getTransitionLabel(SessionData.wallpaperTransition) + options: [I18n.tr("Random", "wallpaper transition option")].concat(SessionData.availableWallpaperTransitions.map(t => getTransitionLabel(t))) onValueChanged: value => { - var transition = value.toLowerCase(); - SessionData.setWallpaperTransition(transition); + const transitionMap = {}; + transitionMap[I18n.tr("Random", "wallpaper transition option")] = "random"; + SessionData.availableWallpaperTransitions.forEach(t => { + transitionMap[getTransitionLabel(t)] = t; + }); + SessionData.setWallpaperTransition(transitionMap[value] || value.toLowerCase()); } } diff --git a/quickshell/Services/BatteryService.qml b/quickshell/Services/BatteryService.qml index d1f3e737..cebc9409 100644 --- a/quickshell/Services/BatteryService.qml +++ b/quickshell/Services/BatteryService.qml @@ -74,9 +74,7 @@ Singleton { } } - const profileValue = BatteryService.isPluggedIn - ? SettingsData.acProfileName - : SettingsData.batteryProfileName; + const profileValue = BatteryService.isPluggedIn ? SettingsData.acProfileName : SettingsData.batteryProfileName; if (profileValue !== "") { const targetProfile = parseInt(profileValue); @@ -132,20 +130,39 @@ Singleton { return batteries.length > 0 ? batteries.reduce((sum, b) => sum + b.energyCapacity, 0) : 0; } + function translateBatteryState(state) { + switch (state) { + case UPowerDeviceState.Charging: + return I18n.tr("Charging", "battery status"); + case UPowerDeviceState.Discharging: + return I18n.tr("Discharging", "battery status"); + case UPowerDeviceState.Empty: + return I18n.tr("Empty", "battery status"); + case UPowerDeviceState.FullyCharged: + return I18n.tr("Fully Charged", "battery status"); + case UPowerDeviceState.PendingCharge: + return I18n.tr("Pending Charge", "battery status"); + case UPowerDeviceState.PendingDischarge: + return I18n.tr("Pending Discharge", "battery status"); + default: + return I18n.tr("Unknown", "battery status"); + } + } + // Aggregated battery status readonly property string batteryStatus: { if (!batteryAvailable) { - return "No Battery"; + return I18n.tr("No Battery", "battery status"); } if (isCharging && !batteries.some(b => b.changeRate > 0)) - return "Plugged In"; + return I18n.tr("Plugged In", "battery status"); const states = batteries.map(b => b.state); if (states.every(s => s === states[0])) - return UPowerDeviceState.toString(states[0]); + return translateBatteryState(states[0]); - return isCharging ? "Charging" : (isPluggedIn ? "Plugged In" : "Discharging"); + return isCharging ? I18n.tr("Charging", "battery status") : (isPluggedIn ? I18n.tr("Plugged In", "battery status") : I18n.tr("Discharging", "battery status")); } readonly property bool suggestPowerSaver: false diff --git a/quickshell/translations/en.json b/quickshell/translations/en.json index 03d010f0..f5fba84f 100644 --- a/quickshell/translations/en.json +++ b/quickshell/translations/en.json @@ -110,13 +110,13 @@ { "term": "0 = square corners", "context": "0 = square corners", - "reference": "Modules/Settings/ThemeColorsTab.qml:1506", + "reference": "Modules/Settings/ThemeColorsTab.qml:1538", "comment": "" }, { "term": "1 day", "context": "notification history retention option", - "reference": "Modules/Settings/NotificationsTab.qml:293, Modules/Settings/NotificationsTab.qml:306, Modules/Settings/NotificationsTab.qml:311, Modules/Settings/ClipboardTab.qml:103", + "reference": "Modules/Settings/NotificationsTab.qml:287, Modules/Settings/NotificationsTab.qml:300, Modules/Settings/NotificationsTab.qml:305, Modules/Settings/ClipboardTab.qml:103", "comment": "" }, { @@ -170,7 +170,7 @@ { "term": "14 days", "context": "notification history retention option", - "reference": "Modules/Settings/NotificationsTab.qml:299, Modules/Settings/NotificationsTab.qml:306, Modules/Settings/NotificationsTab.qml:317, Modules/Settings/ClipboardTab.qml:115", + "reference": "Modules/Settings/NotificationsTab.qml:293, Modules/Settings/NotificationsTab.qml:300, Modules/Settings/NotificationsTab.qml:311, Modules/Settings/ClipboardTab.qml:115", "comment": "" }, { @@ -200,7 +200,7 @@ { "term": "24-hour format", "context": "24-hour format", - "reference": "Modules/Settings/WallpaperTab.qml:1116", + "reference": "Modules/Settings/WallpaperTab.qml:1114", "comment": "" }, { @@ -212,7 +212,7 @@ { "term": "3 days", "context": "notification history retention option", - "reference": "Modules/Settings/NotificationsTab.qml:295, Modules/Settings/NotificationsTab.qml:306, Modules/Settings/NotificationsTab.qml:313, Modules/Settings/ClipboardTab.qml:107", + "reference": "Modules/Settings/NotificationsTab.qml:289, Modules/Settings/NotificationsTab.qml:300, Modules/Settings/NotificationsTab.qml:307, Modules/Settings/ClipboardTab.qml:107", "comment": "" }, { @@ -224,7 +224,7 @@ { "term": "30 days", "context": "notification history filter | notification history retention option", - "reference": "Modules/Settings/NotificationsTab.qml:301, Modules/Settings/NotificationsTab.qml:306, Modules/Settings/NotificationsTab.qml:319, Modules/Settings/ClipboardTab.qml:119, Modules/Notifications/Center/HistoryNotificationList.qml:112", + "reference": "Modules/Settings/NotificationsTab.qml:295, Modules/Settings/NotificationsTab.qml:300, Modules/Settings/NotificationsTab.qml:313, Modules/Settings/ClipboardTab.qml:119, Modules/Notifications/Center/HistoryNotificationList.qml:112", "comment": "" }, { @@ -254,7 +254,7 @@ { "term": "7 days", "context": "notification history filter | notification history retention option", - "reference": "Modules/Settings/NotificationsTab.qml:297, Modules/Settings/NotificationsTab.qml:306, Modules/Settings/NotificationsTab.qml:315, Modules/Settings/ClipboardTab.qml:111, Modules/Notifications/Center/HistoryNotificationList.qml:107", + "reference": "Modules/Settings/NotificationsTab.qml:291, Modules/Settings/NotificationsTab.qml:300, Modules/Settings/NotificationsTab.qml:309, Modules/Settings/ClipboardTab.qml:111, Modules/Notifications/Center/HistoryNotificationList.qml:107", "comment": "" }, { @@ -383,6 +383,12 @@ "reference": "Modules/Settings/LockScreenTab.qml:181", "comment": "" }, + { + "term": "Active tile background and icon color", + "context": "control center tile color setting description", + "reference": "Modules/Settings/ThemeColorsTab.qml:1492", + "comment": "" + }, { "term": "Active: %1", "context": "Active: %1", @@ -482,7 +488,7 @@ { "term": "All", "context": "notification history filter", - "reference": "Services/AppSearchService.qml:674, Services/AppSearchService.qml:689, dms-plugins/DankStickerSearch/DankStickerSearch.qml:85, Modals/DankLauncherV2/LauncherContent.qml:306, Modules/Settings/KeybindsTab.qml:386, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:94, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:97, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:109, Modules/Notifications/Center/HistoryNotificationList.qml:87", + "reference": "Services/AppSearchService.qml:674, Services/AppSearchService.qml:689, dms-plugins/DankStickerSearch/DankStickerSearch.qml:93, Modals/DankLauncherV2/LauncherContent.qml:306, Modules/Settings/KeybindsTab.qml:386, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:94, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:97, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:109, Modules/Notifications/Center/HistoryNotificationList.qml:87", "comment": "" }, { @@ -530,7 +536,7 @@ { "term": "Always Show Percentage", "context": "Always Show Percentage", - "reference": "Modules/Settings/OSDTab.qml:85", + "reference": "Modules/Settings/OSDTab.qml:76", "comment": "" }, { @@ -626,7 +632,7 @@ { "term": "App Names", "context": "lock screen notification mode option", - "reference": "Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NotificationsTab.qml:185", + "reference": "Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NotificationsTab.qml:179", "comment": "" }, { @@ -650,7 +656,7 @@ { "term": "Applications", "context": "Applications", - "reference": "Modals/DankLauncherV2/Controller.qml:111, Modules/Settings/ThemeColorsTab.qml:1845, Modules/Dock/DockLauncherButton.qml:25", + "reference": "Modals/DankLauncherV2/Controller.qml:117, Modules/Settings/ThemeColorsTab.qml:1877, Modules/Dock/DockLauncherButton.qml:25", "comment": "" }, { @@ -662,13 +668,13 @@ { "term": "Apply GTK Colors", "context": "Apply GTK Colors", - "reference": "Modules/Settings/ThemeColorsTab.qml:2425", + "reference": "Modules/Settings/ThemeColorsTab.qml:2457", "comment": "" }, { "term": "Apply Qt Colors", "context": "Apply Qt Colors", - "reference": "Modules/Settings/ThemeColorsTab.qml:2459", + "reference": "Modules/Settings/ThemeColorsTab.qml:2491", "comment": "" }, { @@ -764,7 +770,7 @@ { "term": "Audio Output Switch", "context": "Audio Output Switch", - "reference": "Modules/Settings/OSDTab.qml:148", + "reference": "Modules/Settings/OSDTab.qml:139", "comment": "" }, { @@ -835,8 +841,8 @@ }, { "term": "Auto", - "context": "Auto", - "reference": "Modules/Settings/NetworkTab.qml:253, Modules/Settings/NetworkTab.qml:860, Modules/Settings/NetworkTab.qml:864, Modules/Settings/NetworkTab.qml:865, Modules/Settings/NetworkTab.qml:868, Modules/Settings/DesktopWidgetSettings/SystemMonitorSettings.qml:351, Modules/Settings/DesktopWidgetSettings/SystemMonitorSettings.qml:359, Modules/ControlCenter/Details/NetworkDetail.qml:114, Modules/ControlCenter/Details/NetworkDetail.qml:115, Modules/ControlCenter/Details/NetworkDetail.qml:118, Modules/ControlCenter/Details/NetworkDetail.qml:121", + "context": "theme category option", + "reference": "Modules/Settings/ThemeColorsTab.qml:284, Modules/Settings/ThemeColorsTab.qml:284, Modules/Settings/NetworkTab.qml:253, Modules/Settings/NetworkTab.qml:860, Modules/Settings/NetworkTab.qml:864, Modules/Settings/NetworkTab.qml:865, Modules/Settings/NetworkTab.qml:868, Modules/Settings/DesktopWidgetSettings/SystemMonitorSettings.qml:351, Modules/Settings/DesktopWidgetSettings/SystemMonitorSettings.qml:359, Modules/ControlCenter/Details/NetworkDetail.qml:114, Modules/ControlCenter/Details/NetworkDetail.qml:115, Modules/ControlCenter/Details/NetworkDetail.qml:118, Modules/ControlCenter/Details/NetworkDetail.qml:121", "comment": "" }, { @@ -848,7 +854,7 @@ { "term": "Auto Location", "context": "Auto Location", - "reference": "Modules/Settings/TimeWeatherTab.qml:407", + "reference": "Modules/Settings/TimeWeatherTab.qml:405", "comment": "" }, { @@ -866,7 +872,7 @@ { "term": "Auto-Hide Timeout", "context": "Auto-Hide Timeout", - "reference": "Modules/Settings/ThemeColorsTab.qml:2023", + "reference": "Modules/Settings/ThemeColorsTab.qml:2055", "comment": "" }, { @@ -878,7 +884,7 @@ { "term": "Auto-delete notifications older than this", "context": "notification history setting", - "reference": "Modules/Settings/NotificationsTab.qml:287", + "reference": "Modules/Settings/NotificationsTab.qml:281", "comment": "" }, { @@ -932,13 +938,13 @@ { "term": "Automatic Cycling", "context": "Automatic Cycling", - "reference": "Modules/Settings/WallpaperTab.qml:889", + "reference": "Modules/Settings/WallpaperTab.qml:887", "comment": "" }, { "term": "Automatically cycle through wallpapers in the same folder", "context": "Automatically cycle through wallpapers in the same folder", - "reference": "Modules/Settings/WallpaperTab.qml:890", + "reference": "Modules/Settings/WallpaperTab.qml:888", "comment": "" }, { @@ -956,7 +962,7 @@ { "term": "Automatically determine your location using your IP address", "context": "Automatically determine your location using your IP address", - "reference": "Modules/Settings/TimeWeatherTab.qml:408", + "reference": "Modules/Settings/TimeWeatherTab.qml:406", "comment": "" }, { @@ -1049,10 +1055,22 @@ "reference": "Modules/ControlCenter/Details/BrightnessDetail.qml:325", "comment": "" }, + { + "term": "Balance power and performance", + "context": "power profile description", + "reference": "Common/Theme.qml:1120", + "comment": "" + }, + { + "term": "Balanced", + "context": "power profile option", + "reference": "Common/Theme.qml:1107", + "comment": "" + }, { "term": "Balanced palette with focused accents (default).", "context": "Balanced palette with focused accents (default).", - "reference": "Common/Theme.qml:466", + "reference": "Common/Theme.qml:456", "comment": "" }, { @@ -1141,8 +1159,8 @@ }, { "term": "Bluetooth", - "context": "Bluetooth", - "reference": "Modules/Settings/WidgetsTabSection.qml:804, Modules/ControlCenter/Models/WidgetModel.qml:110", + "context": "bluetooth status", + "reference": "Modules/Settings/WidgetsTabSection.qml:804, Modules/ControlCenter/Models/WidgetModel.qml:110, Modules/ControlCenter/Components/DragDropGrid.qml:297", "comment": "" }, { @@ -1160,19 +1178,19 @@ { "term": "Blur Wallpaper Layer", "context": "Blur Wallpaper Layer", - "reference": "Modules/Settings/WallpaperTab.qml:1228", + "reference": "Modules/Settings/WallpaperTab.qml:1252", "comment": "" }, { "term": "Blur on Overview", "context": "Blur on Overview", - "reference": "Modules/Settings/WallpaperTab.qml:764", + "reference": "Modules/Settings/WallpaperTab.qml:762", "comment": "" }, { "term": "Blur wallpaper when niri overview is open", "context": "Blur wallpaper when niri overview is open", - "reference": "Modules/Settings/WallpaperTab.qml:765", + "reference": "Modules/Settings/WallpaperTab.qml:763", "comment": "" }, { @@ -1184,7 +1202,7 @@ { "term": "Border Color", "context": "Border Color", - "reference": "Modules/Settings/DockTab.qml:500, Modules/Settings/WorkspacesTab.qml:337", + "reference": "Modules/Settings/DockTab.qml:500, Modules/Settings/WorkspacesTab.qml:348", "comment": "" }, { @@ -1196,7 +1214,7 @@ { "term": "Border Size", "context": "Border Size", - "reference": "Modules/Settings/ThemeColorsTab.qml:1607, Modules/Settings/ThemeColorsTab.qml:1710, Modules/Settings/ThemeColorsTab.qml:1813", + "reference": "Modules/Settings/ThemeColorsTab.qml:1639, Modules/Settings/ThemeColorsTab.qml:1742, Modules/Settings/ThemeColorsTab.qml:1845", "comment": "" }, { @@ -1207,20 +1225,26 @@ }, { "term": "Bottom", - "context": "Bottom", - "reference": "Modules/Settings/DankBarTab.qml:388, Modules/Settings/DankBarTab.qml:642", + "context": "dock position option", + "reference": "Modules/Settings/DockTab.qml:31, Modules/Settings/DankBarTab.qml:388, Modules/Settings/DankBarTab.qml:642", + "comment": "" + }, + { + "term": "Bottom Center", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:44, Modules/Settings/OSDTab.qml:50, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:65", "comment": "" }, { "term": "Bottom Left", - "context": "Bottom Left", - "reference": "Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:42, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:63, Modules/Settings/NotificationsTab.qml:107, Modules/Settings/NotificationsTab.qml:116, Modules/Settings/NotificationsTab.qml:126, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", "comment": "" }, { "term": "Bottom Right", - "context": "Bottom Right", - "reference": "Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:40, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:61, Modules/Settings/NotificationsTab.qml:111, Modules/Settings/NotificationsTab.qml:116, Modules/Settings/NotificationsTab.qml:124, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", "comment": "" }, { @@ -1238,7 +1262,7 @@ { "term": "Brightness", "context": "Brightness", - "reference": "Modules/Settings/WidgetsTabSection.qml:829, Modules/Settings/DockTab.qml:392, Modules/Settings/LauncherTab.qml:274, Modules/Settings/OSDTab.qml:113", + "reference": "Modules/Settings/WidgetsTabSection.qml:829, Modules/Settings/DockTab.qml:392, Modules/Settings/LauncherTab.qml:274, Modules/Settings/OSDTab.qml:104", "comment": "" }, { @@ -1261,8 +1285,8 @@ }, { "term": "Browse", - "context": "Browse", - "reference": "Modals/DankLauncherV2/Controller.qml:118, Modals/DankLauncherV2/Controller.qml:876, Modules/Settings/PluginsTab.qml:209", + "context": "theme category option", + "reference": "Modals/DankLauncherV2/Controller.qml:124, Modals/DankLauncherV2/Controller.qml:882, Modules/Settings/ThemeColorsTab.qml:284, Modules/Settings/PluginsTab.qml:209", "comment": "" }, { @@ -1364,7 +1388,7 @@ { "term": "Calculator", "context": "Calculator", - "reference": "Modals/DankLauncherV2/Controller.qml:97", + "reference": "Modals/DankLauncherV2/Controller.qml:103", "comment": "" }, { @@ -1406,7 +1430,7 @@ { "term": "Caps Lock", "context": "Caps Lock", - "reference": "Modules/Settings/OSDTab.qml:134", + "reference": "Modules/Settings/OSDTab.qml:125", "comment": "" }, { @@ -1439,6 +1463,18 @@ "reference": "Modals/WifiPasswordModal.qml:176", "comment": "" }, + { + "term": "Change Song", + "context": "media scroll wheel option", + "reference": "Modules/Settings/MediaPlayerTab.qml:51", + "comment": "" + }, + { + "term": "Change Volume", + "context": "media scroll wheel option", + "reference": "Modules/Settings/MediaPlayerTab.qml:51", + "comment": "" + }, { "term": "Change bar appearance", "context": "Change bar appearance", @@ -1453,8 +1489,8 @@ }, { "term": "Charging", - "context": "Charging", - "reference": "Modules/ControlCenter/Widgets/BatteryPill.qml:25", + "context": "battery status", + "reference": "Services/BatteryService.qml:136, Services/BatteryService.qml:165, Modules/ControlCenter/Widgets/BatteryPill.qml:25", "comment": "" }, { @@ -1559,6 +1595,12 @@ "reference": "Widgets/VpnProfileDelegate.qml:51, Modules/Settings/NetworkTab.qml:1875", "comment": "" }, + { + "term": "Circle", + "context": "dock indicator style option", + "reference": "Modules/Settings/DockTab.qml:154", + "comment": "" + }, { "term": "Clear", "context": "Clear", @@ -1610,7 +1652,7 @@ { "term": "Click 'Setup' to create cursor config and add include to your compositor config.", "context": "Click 'Setup' to create cursor config and add include to your compositor config.", - "reference": "Modules/Settings/ThemeColorsTab.qml:1922", + "reference": "Modules/Settings/ThemeColorsTab.qml:1954", "comment": "" }, { @@ -1799,10 +1841,16 @@ "reference": "Modules/Settings/ThemeColorsTab.qml:241", "comment": "" }, + { + "term": "Colorful", + "context": "widget style option", + "reference": "Modules/Settings/ThemeColorsTab.qml:1443", + "comment": "" + }, { "term": "Colorful mix of bright contrasting accents.", "context": "Colorful mix of bright contrasting accents.", - "reference": "Common/Theme.qml:486", + "reference": "Common/Theme.qml:476", "comment": "" }, { @@ -1826,7 +1874,7 @@ { "term": "Commands", "context": "Commands", - "reference": "Modals/DankLauncherV2/Controller.qml:132", + "reference": "Modals/DankLauncherV2/Controller.qml:138", "comment": "" }, { @@ -1844,7 +1892,7 @@ { "term": "Compact", "context": "Compact", - "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:15, Modules/Settings/NotificationsTab.qml:151", + "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:15, Modules/Settings/NotificationsTab.qml:145", "comment": "" }, { @@ -1928,7 +1976,7 @@ { "term": "Configure icons for named workspaces. Icons take priority over numbers when both are enabled.", "context": "Configure icons for named workspaces. Icons take priority over numbers when both are enabled.", - "reference": "Modules/Settings/WorkspacesTab.qml:392", + "reference": "Modules/Settings/WorkspacesTab.qml:403", "comment": "" }, { @@ -1993,8 +2041,14 @@ }, { "term": "Connected", - "context": "KDE Connect connected status", - "reference": "dms-plugins/DankKDEConnect/components/DeviceCard.qml:210, dms-plugins/DankKDEConnect/components/KDEConnectDetailContent.qml:215, Modules/Settings/AboutTab.qml:709, Modules/Settings/NetworkTab.qml:431, Modules/Settings/NetworkTab.qml:1176, Modules/Settings/NetworkTab.qml:1522, Modules/ControlCenter/Details/BluetoothDetail.qml:273, Modules/ControlCenter/Details/NetworkDetail.qml:595, Modules/ControlCenter/BuiltinPlugins/VpnWidget.qml:21", + "context": "KDE Connect connected status | network status", + "reference": "dms-plugins/DankKDEConnect/components/DeviceCard.qml:210, dms-plugins/DankKDEConnect/components/KDEConnectDetailContent.qml:215, Modules/Settings/AboutTab.qml:709, Modules/Settings/NetworkTab.qml:431, Modules/Settings/NetworkTab.qml:1176, Modules/Settings/NetworkTab.qml:1522, Modules/ControlCenter/Details/BluetoothDetail.qml:273, Modules/ControlCenter/Details/NetworkDetail.qml:595, Modules/ControlCenter/BuiltinPlugins/VpnWidget.qml:21, Modules/ControlCenter/Components/DragDropGrid.qml:321, Modules/ControlCenter/Components/DragDropGrid.qml:324, Modules/ControlCenter/Components/DragDropGrid.qml:326, Modules/ControlCenter/Components/DragDropGrid.qml:329", + "comment": "" + }, + { + "term": "Connected Device", + "context": "bluetooth status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:351", "comment": "" }, { @@ -2015,6 +2069,12 @@ "reference": "Modules/ControlCenter/Details/BluetoothDetail.qml:271", "comment": "" }, + { + "term": "Content", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:463", + "comment": "" + }, { "term": "Contrast", "context": "Contrast", @@ -2027,6 +2087,12 @@ "reference": "Modals/Greeter/GreeterWelcomePage.qml:149, Modules/Settings/WidgetsTab.qml:162", "comment": "" }, + { + "term": "Control Center Tile Color", + "context": "Control Center Tile Color", + "reference": "Modules/Settings/ThemeColorsTab.qml:1491", + "comment": "" + }, { "term": "Control currently playing media", "context": "Control currently playing media", @@ -2036,7 +2102,7 @@ { "term": "Control what notification information is shown on the lock screen", "context": "lock screen notification privacy setting", - "reference": "Modules/Settings/LockScreenTab.qml:91, Modules/Settings/NotificationsTab.qml:184", + "reference": "Modules/Settings/LockScreenTab.qml:91, Modules/Settings/NotificationsTab.qml:178", "comment": "" }, { @@ -2054,7 +2120,7 @@ { "term": "Controls opacity of all popouts, modals, and their content layers", "context": "Controls opacity of all popouts, modals, and their content layers", - "reference": "Modules/Settings/ThemeColorsTab.qml:1492", + "reference": "Modules/Settings/ThemeColorsTab.qml:1524", "comment": "" }, { @@ -2063,10 +2129,28 @@ "reference": "Widgets/KeybindItem.qml:1590", "comment": "" }, + { + "term": "Copied GIF", + "context": "Copied GIF", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:243, dms-plugins/DankGifSearch/DankGifSearch.qml:186", + "comment": "" + }, + { + "term": "Copied MP4", + "context": "Copied MP4", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:253, dms-plugins/DankGifSearch/DankGifSearch.qml:196", + "comment": "" + }, + { + "term": "Copied WebP", + "context": "Copied WebP", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:233, dms-plugins/DankGifSearch/DankGifSearch.qml:176", + "comment": "" + }, { "term": "Copied to clipboard", "context": "Copied to clipboard", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:181, dms-plugins/DankStickerSearch/DankStickerSearch.qml:198, dms-plugins/DankLauncherKeys/DankLauncherKeys.qml:154, dms-plugins/DankGifSearch/DankGifSearch.qml:124, dms-plugins/DankGifSearch/DankGifSearch.qml:141, Modals/Settings/SettingsModal.qml:314, Modals/Settings/SettingsModal.qml:331, Modals/Clipboard/ClipboardHistoryModal.qml:161, Modules/Notepad/NotepadTextEditor.qml:250, Modules/Settings/DesktopWidgetInstanceCard.qml:426", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:215, dms-plugins/DankLauncherKeys/DankLauncherKeys.qml:154, dms-plugins/DankGifSearch/DankGifSearch.qml:158, Modals/Settings/SettingsModal.qml:314, Modals/Settings/SettingsModal.qml:331, Modals/Clipboard/ClipboardHistoryModal.qml:161, Modules/Notepad/NotepadTextEditor.qml:250, Modules/Settings/DesktopWidgetInstanceCard.qml:426", "comment": "" }, { @@ -2078,7 +2162,7 @@ { "term": "Copy", "context": "Copy", - "reference": "dms-plugins/DankLauncherKeys/DankLauncherKeys.qml:170, Modals/DankLauncherV2/Controller.qml:755", + "reference": "dms-plugins/DankLauncherKeys/DankLauncherKeys.qml:170, Modals/DankLauncherV2/Controller.qml:761", "comment": "" }, { @@ -2111,22 +2195,16 @@ "reference": "Modules/Notepad/NotepadTextEditor.qml:679", "comment": "" }, - { - "term": "Copy URL", - "context": "Copy URL", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:195, dms-plugins/DankGifSearch/DankGifSearch.qml:138", - "comment": "" - }, { "term": "Copy path", "context": "Copy path", - "reference": "Modals/DankLauncherV2/Controller.qml:748", + "reference": "Modals/DankLauncherV2/Controller.qml:754", "comment": "" }, { "term": "Corner Radius", "context": "Corner Radius", - "reference": "Modules/Settings/ThemeColorsTab.qml:1505", + "reference": "Modules/Settings/ThemeColorsTab.qml:1537", "comment": "" }, { @@ -2144,7 +2222,7 @@ { "term": "Count Only", "context": "lock screen notification mode option", - "reference": "Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NotificationsTab.qml:185", + "reference": "Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NotificationsTab.qml:179", "comment": "" }, { @@ -2174,7 +2252,7 @@ { "term": "Critical Priority", "context": "Critical Priority", - "reference": "Modules/Settings/NotificationsTab.qml:239, Modules/Settings/NotificationsTab.qml:346, Modules/Notifications/Center/NotificationSettings.qml:203, Modules/Notifications/Center/NotificationSettings.qml:366", + "reference": "Modules/Settings/NotificationsTab.qml:233, Modules/Settings/NotificationsTab.qml:340, Modules/Notifications/Center/NotificationSettings.qml:203, Modules/Notifications/Center/NotificationSettings.qml:366", "comment": "" }, { @@ -2216,7 +2294,7 @@ { "term": "Current Weather", "context": "Current Weather", - "reference": "Modules/Settings/TimeWeatherTab.qml:582", + "reference": "Modules/Settings/TimeWeatherTab.qml:580", "comment": "" }, { @@ -2240,31 +2318,31 @@ { "term": "Cursor Config Not Configured", "context": "Cursor Config Not Configured", - "reference": "Modules/Settings/ThemeColorsTab.qml:1915", + "reference": "Modules/Settings/ThemeColorsTab.qml:1947", "comment": "" }, { "term": "Cursor Include Missing", "context": "Cursor Include Missing", - "reference": "Modules/Settings/ThemeColorsTab.qml:1915", + "reference": "Modules/Settings/ThemeColorsTab.qml:1947", "comment": "" }, { "term": "Cursor Size", "context": "Cursor Size", - "reference": "Modules/Settings/ThemeColorsTab.qml:1963", + "reference": "Modules/Settings/ThemeColorsTab.qml:1995", "comment": "" }, { "term": "Cursor Theme", "context": "Cursor Theme", - "reference": "Modules/Settings/ThemeColorsTab.qml:1873, Modules/Settings/ThemeColorsTab.qml:1947", + "reference": "Modules/Settings/ThemeColorsTab.qml:1905, Modules/Settings/ThemeColorsTab.qml:1979", "comment": "" }, { "term": "Custom", - "context": "Custom", - "reference": "Widgets/KeybindItem.qml:1334, dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:47, Modules/Settings/TypographyMotionTab.qml:225, Modules/Settings/DockTab.qml:224, Modules/Settings/DockTab.qml:297, Modules/Settings/LauncherTab.qml:73, Modules/Settings/LauncherTab.qml:179, Modules/Settings/Widgets/SettingsColorPicker.qml:52", + "context": "theme category option", + "reference": "Widgets/KeybindItem.qml:1334, dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:47, Modules/Settings/ThemeColorsTab.qml:284, Modules/Settings/ThemeColorsTab.qml:284, Modules/Settings/TypographyMotionTab.qml:225, Modules/Settings/DockTab.qml:224, Modules/Settings/DockTab.qml:297, Modules/Settings/LauncherTab.qml:73, Modules/Settings/LauncherTab.qml:179, Modules/Settings/Widgets/SettingsColorPicker.qml:52", "comment": "" }, { @@ -2288,7 +2366,7 @@ { "term": "Custom Location", "context": "Custom Location", - "reference": "Modules/Settings/TimeWeatherTab.qml:436", + "reference": "Modules/Settings/TimeWeatherTab.qml:434", "comment": "" }, { @@ -2333,6 +2411,12 @@ "reference": "Modules/Notepad/NotepadSettings.qml:324", "comment": "" }, + { + "term": "Custom power profile", + "context": "power profile description", + "reference": "Common/Theme.qml:1124", + "comment": "" + }, { "term": "Custom theme loaded from JSON file", "context": "custom theme description", @@ -2341,14 +2425,14 @@ }, { "term": "Custom...", - "context": "Custom...", - "reference": "Modules/Settings/DisplayConfig/OutputCard.qml:147, Modules/Settings/DisplayConfig/OutputCard.qml:153, Modules/Settings/DisplayConfig/OutputCard.qml:155, Modules/Settings/DisplayConfig/OutputCard.qml:161", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:130, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:217, Modules/Settings/DisplayConfig/OutputCard.qml:147, Modules/Settings/DisplayConfig/OutputCard.qml:153, Modules/Settings/DisplayConfig/OutputCard.qml:155, Modules/Settings/DisplayConfig/OutputCard.qml:161", "comment": "" }, { "term": "Custom: ", "context": "Custom: ", - "reference": "Modules/Settings/TimeWeatherTab.qml:117, Modules/Settings/TimeWeatherTab.qml:205", + "reference": "Modules/Settings/TimeWeatherTab.qml:117, Modules/Settings/TimeWeatherTab.qml:204", "comment": "" }, { @@ -2426,7 +2510,7 @@ { "term": "Daily at:", "context": "Daily at:", - "reference": "Modules/Settings/WallpaperTab.qml:1043", + "reference": "Modules/Settings/WallpaperTab.qml:1041", "comment": "" }, { @@ -2456,19 +2540,19 @@ { "term": "DankShell & System Icons (requires restart)", "context": "DankShell & System Icons (requires restart)", - "reference": "Modules/Settings/ThemeColorsTab.qml:2380", + "reference": "Modules/Settings/ThemeColorsTab.qml:2412", "comment": "" }, { "term": "Dark Mode", "context": "Dark Mode", - "reference": "Modules/Settings/ThemeColorsTab.qml:1350, Modules/Settings/WallpaperTab.qml:570, Modules/ControlCenter/Models/WidgetModel.qml:77, Modules/ControlCenter/Components/DragDropGrid.qml:603", + "reference": "Modules/Settings/ThemeColorsTab.qml:1350, Modules/Settings/WallpaperTab.qml:568, Modules/ControlCenter/Models/WidgetModel.qml:77, Modules/ControlCenter/Components/DragDropGrid.qml:603", "comment": "" }, { "term": "Darken Modal Background", "context": "Darken Modal Background", - "reference": "Modules/Settings/ThemeColorsTab.qml:1835", + "reference": "Modules/Settings/ThemeColorsTab.qml:1867", "comment": "" }, { @@ -2495,6 +2579,18 @@ "reference": "Services/WeatherService.qml:235", "comment": "" }, + { + "term": "Day Date", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:85, Modules/Settings/TimeWeatherTab.qml:122, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:172, Modules/Settings/TimeWeatherTab.qml:209", + "comment": "" + }, + { + "term": "Day Month Date", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:89, Modules/Settings/TimeWeatherTab.qml:123, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:176, Modules/Settings/TimeWeatherTab.qml:210", + "comment": "" + }, { "term": "Day Temperature", "context": "Day Temperature", @@ -2515,8 +2611,8 @@ }, { "term": "Default", - "context": "Default", - "reference": "Modules/Settings/DockTab.qml:297, Modules/Settings/LauncherTab.qml:179", + "context": "widget style option", + "reference": "Modules/Settings/ThemeColorsTab.qml:1443, Modules/Settings/DockTab.qml:297, Modules/Settings/LauncherTab.qml:179", "comment": "" }, { @@ -2576,7 +2672,7 @@ { "term": "Derives colors that closely match the underlying image.", "context": "Derives colors that closely match the underlying image.", - "reference": "Common/Theme.qml:474", + "reference": "Common/Theme.qml:464", "comment": "" }, { @@ -2660,7 +2756,7 @@ { "term": "Disable Built-in Wallpapers", "context": "wallpaper settings disable toggle", - "reference": "Modules/Settings/WallpaperTab.qml:1206", + "reference": "Modules/Settings/WallpaperTab.qml:1230", "comment": "" }, { @@ -2677,14 +2773,20 @@ }, { "term": "Disabled", - "context": "lock screen notification mode option", - "reference": "Modules/Settings/ThemeColorsTab.qml:1324, Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NetworkTab.qml:802, Modules/Settings/DankBarTab.qml:457, Modules/Settings/NotificationsTab.qml:185, Modules/Settings/DisplayConfig/DisplayConfigState.qml:860, Modules/Settings/DisplayConfig/DisplayConfigState.qml:866, Modules/Settings/DisplayConfig/DisplayConfigState.qml:868, Modules/Settings/DisplayConfig/DisplayConfigState.qml:880", + "context": "bluetooth status | lock screen notification mode option", + "reference": "Modules/Settings/ThemeColorsTab.qml:1324, Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NetworkTab.qml:802, Modules/Settings/DankBarTab.qml:457, Modules/Settings/NotificationsTab.qml:179, Modules/Settings/DisplayConfig/DisplayConfigState.qml:860, Modules/Settings/DisplayConfig/DisplayConfigState.qml:866, Modules/Settings/DisplayConfig/DisplayConfigState.qml:868, Modules/Settings/DisplayConfig/DisplayConfigState.qml:880, Modules/ControlCenter/Components/DragDropGrid.qml:301", "comment": "" }, { "term": "Disabling WiFi...", - "context": "Disabling WiFi...", - "reference": "Modules/ControlCenter/Details/NetworkDetail.qml:188", + "context": "network status", + "reference": "Modules/ControlCenter/Details/NetworkDetail.qml:188, Modules/ControlCenter/Components/DragDropGrid.qml:277", + "comment": "" + }, + { + "term": "Disc", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1147", "comment": "" }, { @@ -2693,6 +2795,12 @@ "reference": "Modules/Settings/DisplayConfigTab.qml:155", "comment": "" }, + { + "term": "Discharging", + "context": "battery status", + "reference": "Services/BatteryService.qml:138, Services/BatteryService.qml:165", + "comment": "" + }, { "term": "Disconnect", "context": "Disconnect", @@ -2774,7 +2882,7 @@ { "term": "Display all priorities over fullscreen apps", "context": "Display all priorities over fullscreen apps", - "reference": "Modules/Settings/NotificationsTab.qml:143, Modules/Notifications/Center/NotificationSettings.qml:251", + "reference": "Modules/Settings/NotificationsTab.qml:137, Modules/Notifications/Center/NotificationSettings.qml:251", "comment": "" }, { @@ -2816,7 +2924,7 @@ { "term": "Display only workspaces that contain windows", "context": "Display only workspaces that contain windows", - "reference": "Modules/Settings/WorkspacesTab.qml:131", + "reference": "Modules/Settings/WorkspacesTab.qml:142", "comment": "" }, { @@ -2840,7 +2948,7 @@ { "term": "Display volume and brightness percentage values in OSD popups", "context": "Display volume and brightness percentage values in OSD popups", - "reference": "Modules/Settings/OSDTab.qml:86", + "reference": "Modules/Settings/OSDTab.qml:77", "comment": "" }, { @@ -2864,13 +2972,13 @@ { "term": "Diverse palette spanning the full spectrum.", "context": "Diverse palette spanning the full spectrum.", - "reference": "Common/Theme.qml:498", + "reference": "Common/Theme.qml:488", "comment": "" }, { "term": "Do Not Disturb", "context": "Do Not Disturb", - "reference": "Modules/Settings/NotificationsTab.qml:161, Modules/ControlCenter/Models/WidgetModel.qml:85, Modules/ControlCenter/Components/DragDropGrid.qml:605, Modules/Notifications/Center/NotificationHeader.qml:63, Modules/Notifications/Center/NotificationSettings.qml:143", + "reference": "Modules/Settings/NotificationsTab.qml:155, Modules/ControlCenter/Models/WidgetModel.qml:85, Modules/ControlCenter/Components/DragDropGrid.qml:605, Modules/Notifications/Center/NotificationHeader.qml:63, Modules/Notifications/Center/NotificationSettings.qml:143", "comment": "" }, { @@ -2954,7 +3062,7 @@ { "term": "Duplicate Wallpaper with Blur", "context": "Duplicate Wallpaper with Blur", - "reference": "Modules/Settings/WallpaperTab.qml:1236", + "reference": "Modules/Settings/WallpaperTab.qml:1260", "comment": "" }, { @@ -3019,8 +3127,8 @@ }, { "term": "Empty", - "context": "Empty", - "reference": "Modules/Notepad/NotepadTextEditor.qml:835", + "context": "battery status", + "reference": "Services/BatteryService.qml:140, Modules/Notepad/NotepadTextEditor.qml:835", "comment": "" }, { @@ -3044,13 +3152,13 @@ { "term": "Enable Do Not Disturb", "context": "Enable Do Not Disturb", - "reference": "Modules/Settings/NotificationsTab.qml:167", + "reference": "Modules/Settings/NotificationsTab.qml:161", "comment": "" }, { "term": "Enable History", "context": "notification history toggle label", - "reference": "Modules/Settings/NotificationsTab.qml:263", + "reference": "Modules/Settings/NotificationsTab.qml:257", "comment": "" }, { @@ -3068,7 +3176,7 @@ { "term": "Enable Weather", "context": "Enable Weather", - "reference": "Modules/Settings/TimeWeatherTab.qml:349", + "reference": "Modules/Settings/TimeWeatherTab.qml:347", "comment": "" }, { @@ -3080,7 +3188,7 @@ { "term": "Enable compositor-targetable blur layer (namespace: dms:blurwallpaper). Requires manual niri configuration.", "context": "Enable compositor-targetable blur layer (namespace: dms:blurwallpaper). Requires manual niri configuration.", - "reference": "Modules/Settings/WallpaperTab.qml:1237", + "reference": "Modules/Settings/WallpaperTab.qml:1261", "comment": "" }, { @@ -3097,14 +3205,14 @@ }, { "term": "Enabled", - "context": "Enabled", - "reference": "Modules/Settings/ThemeColorsTab.qml:1324, Modules/Settings/DisplayConfig/DisplayConfigState.qml:860, Modules/Settings/DisplayConfig/DisplayConfigState.qml:868", + "context": "bluetooth status", + "reference": "Modules/Settings/ThemeColorsTab.qml:1324, Modules/Settings/DisplayConfig/DisplayConfigState.qml:860, Modules/Settings/DisplayConfig/DisplayConfigState.qml:868, Modules/ControlCenter/Components/DragDropGrid.qml:302", "comment": "" }, { "term": "Enabling WiFi...", - "context": "Enabling WiFi...", - "reference": "Modules/ControlCenter/Details/NetworkDetail.qml:188", + "context": "network status", + "reference": "Modules/ControlCenter/Details/NetworkDetail.qml:188, Modules/ControlCenter/Components/DragDropGrid.qml:277", "comment": "" }, { @@ -3152,13 +3260,13 @@ { "term": "Enter custom lock screen format (e.g., dddd, MMMM d)", "context": "Enter custom lock screen format (e.g., dddd, MMMM d)", - "reference": "Modules/Settings/TimeWeatherTab.qml:233", + "reference": "Modules/Settings/TimeWeatherTab.qml:231", "comment": "" }, { "term": "Enter custom top bar format (e.g., ddd MMM d)", "context": "Enter custom top bar format (e.g., ddd MMM d)", - "reference": "Modules/Settings/TimeWeatherTab.qml:145", + "reference": "Modules/Settings/TimeWeatherTab.qml:144", "comment": "" }, { @@ -3235,8 +3343,8 @@ }, { "term": "Ethernet", - "context": "Ethernet", - "reference": "Modules/Settings/NetworkTab.qml:204, Modules/Settings/NetworkTab.qml:253, Modules/Settings/NetworkTab.qml:321, Modules/ControlCenter/Details/NetworkDetail.qml:133", + "context": "network status", + "reference": "Modules/Settings/NetworkTab.qml:204, Modules/Settings/NetworkTab.qml:253, Modules/Settings/NetworkTab.qml:321, Modules/ControlCenter/Details/NetworkDetail.qml:133, Modules/ControlCenter/Components/DragDropGrid.qml:281, Modules/ControlCenter/Components/DragDropGrid.qml:284", "comment": "" }, { @@ -3263,6 +3371,18 @@ "reference": "Modules/ControlCenter/Details/BrightnessDetail.qml:439", "comment": "" }, + { + "term": "Expressive", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:467", + "comment": "" + }, + { + "term": "Extend battery life", + "context": "power profile description", + "reference": "Common/Theme.qml:1118", + "comment": "" + }, { "term": "Extensible architecture", "context": "greeter feature card description", @@ -3272,7 +3392,7 @@ { "term": "External Wallpaper Management", "context": "wallpaper settings external management", - "reference": "Modules/Settings/WallpaperTab.qml:1198", + "reference": "Modules/Settings/WallpaperTab.qml:1222", "comment": "" }, { @@ -3287,6 +3407,12 @@ "reference": "Modals/FileBrowser/FileInfo.qml:200", "comment": "" }, + { + "term": "Fade", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1143", + "comment": "" + }, { "term": "Fade to lock screen", "context": "Fade to lock screen", @@ -3482,7 +3608,7 @@ { "term": "Failed to parse plugin_settings.json", "context": "Failed to parse plugin_settings.json", - "reference": "Common/SettingsData.qml:1162", + "reference": "Common/SettingsData.qml:1160", "comment": "" }, { @@ -3494,7 +3620,7 @@ { "term": "Failed to parse settings.json", "context": "Failed to parse settings.json", - "reference": "Common/SettingsData.qml:1099, Common/SettingsData.qml:2334", + "reference": "Common/SettingsData.qml:1098, Common/SettingsData.qml:2331", "comment": "" }, { @@ -3692,13 +3818,19 @@ { "term": "Feels Like", "context": "Feels Like", - "reference": "Modules/Settings/TimeWeatherTab.qml:837", + "reference": "Modules/Settings/TimeWeatherTab.qml:835", "comment": "" }, { "term": "Feels Like %1°", "context": "weather feels like temperature", - "reference": "Modules/DankDash/WeatherTab.qml:236, Modules/Settings/TimeWeatherTab.qml:724", + "reference": "Modules/DankDash/WeatherTab.qml:236, Modules/Settings/TimeWeatherTab.qml:722", + "comment": "" + }, + { + "term": "Fidelity", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:471", "comment": "" }, { @@ -3734,7 +3866,7 @@ { "term": "Files", "context": "Files", - "reference": "Modals/DankLauncherV2/Controller.qml:125, Modals/DankLauncherV2/Controller.qml:684, Modals/DankLauncherV2/LauncherContent.qml:316", + "reference": "Modals/DankLauncherV2/Controller.qml:131, Modals/DankLauncherV2/Controller.qml:690, Modals/DankLauncherV2/LauncherContent.qml:316", "comment": "" }, { @@ -3743,6 +3875,12 @@ "reference": "Modules/ControlCenter/Models/WidgetModel.qml:170", "comment": "" }, + { + "term": "Fill", + "context": "wallpaper fill mode", + "reference": "Modules/Settings/WallpaperTab.qml:323", + "comment": "" + }, { "term": "Find in Text", "context": "Find in Text", @@ -3773,16 +3911,22 @@ "reference": "Modules/Settings/KeybindsTab.qml:306, Modules/Settings/DisplayConfig/IncludeWarningBox.qml:45", "comment": "" }, + { + "term": "Fit", + "context": "wallpaper fill mode", + "reference": "Modules/Settings/WallpaperTab.qml:323", + "comment": "" + }, { "term": "Fix Now", "context": "Fix Now", - "reference": "Modules/Settings/ThemeColorsTab.qml:1933, Modules/Settings/KeybindsTab.qml:347, Modules/Settings/DisplayConfig/IncludeWarningBox.qml:78", + "reference": "Modules/Settings/ThemeColorsTab.qml:1965, Modules/Settings/KeybindsTab.qml:347, Modules/Settings/DisplayConfig/IncludeWarningBox.qml:78", "comment": "" }, { "term": "Fixing...", "context": "Fixing...", - "reference": "Modules/Settings/ThemeColorsTab.qml:1933, Modules/Settings/KeybindsTab.qml:344, Modules/Settings/DisplayConfig/IncludeWarningBox.qml:75", + "reference": "Modules/Settings/ThemeColorsTab.qml:1965, Modules/Settings/KeybindsTab.qml:344, Modules/Settings/DisplayConfig/IncludeWarningBox.qml:75", "comment": "" }, { @@ -3824,13 +3968,13 @@ { "term": "Focused Border", "context": "Focused Border", - "reference": "Modules/Settings/WorkspacesTab.qml:323", + "reference": "Modules/Settings/WorkspacesTab.qml:334", "comment": "" }, { "term": "Focused Color", "context": "Focused Color", - "reference": "Modules/Settings/WorkspacesTab.qml:165", + "reference": "Modules/Settings/WorkspacesTab.qml:176", "comment": "" }, { @@ -3842,7 +3986,7 @@ { "term": "Follow Monitor Focus", "context": "Follow Monitor Focus", - "reference": "Modules/Settings/WorkspacesTab.qml:120", + "reference": "Modules/Settings/WorkspacesTab.qml:131", "comment": "" }, { @@ -3896,7 +4040,7 @@ { "term": "Force terminal applications to always use dark color schemes", "context": "Force terminal applications to always use dark color schemes", - "reference": "Modules/Settings/ThemeColorsTab.qml:1864", + "reference": "Modules/Settings/ThemeColorsTab.qml:1896", "comment": "" }, { @@ -3920,7 +4064,7 @@ { "term": "Forever", "context": "notification history retention option", - "reference": "Modules/Settings/NotificationsTab.qml:291, Modules/Settings/NotificationsTab.qml:306, Modules/Settings/NotificationsTab.qml:309", + "reference": "Modules/Settings/NotificationsTab.qml:285, Modules/Settings/NotificationsTab.qml:300, Modules/Settings/NotificationsTab.qml:303", "comment": "" }, { @@ -3950,7 +4094,7 @@ { "term": "Format Legend", "context": "Format Legend", - "reference": "Modules/Settings/TimeWeatherTab.qml:262", + "reference": "Modules/Settings/TimeWeatherTab.qml:260", "comment": "" }, { @@ -3959,6 +4103,12 @@ "reference": "Modules/Settings/NetworkTab.qml:1389", "comment": "" }, + { + "term": "Fruit Salad", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:475", + "comment": "" + }, { "term": "Full Command:", "context": "process detail label", @@ -3968,7 +4118,25 @@ { "term": "Full Content", "context": "lock screen notification mode option", - "reference": "Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NotificationsTab.qml:185", + "reference": "Modules/Settings/LockScreenTab.qml:92, Modules/Settings/NotificationsTab.qml:179", + "comment": "" + }, + { + "term": "Full Day & Month", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:113, Modules/Settings/TimeWeatherTab.qml:129, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:200, Modules/Settings/TimeWeatherTab.qml:216", + "comment": "" + }, + { + "term": "Full with Year", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:105, Modules/Settings/TimeWeatherTab.qml:127, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:192, Modules/Settings/TimeWeatherTab.qml:214", + "comment": "" + }, + { + "term": "Fully Charged", + "context": "battery status", + "reference": "Services/BatteryService.qml:142", "comment": "" }, { @@ -4025,6 +4193,12 @@ "reference": "Modules/Settings/GammaControlTab.qml:77", "comment": "" }, + { + "term": "Generic", + "context": "theme category option", + "reference": "Modules/Settings/ThemeColorsTab.qml:284, Modules/Settings/ThemeColorsTab.qml:284", + "comment": "" + }, { "term": "Get Started", "context": "greeter first page button", @@ -4046,7 +4220,7 @@ { "term": "Good", "context": "Good", - "reference": "Modules/Settings/TimeWeatherTab.qml:1082", + "reference": "Modules/Settings/TimeWeatherTab.qml:1080", "comment": "" }, { @@ -4118,7 +4292,7 @@ { "term": "Group Workspace Apps", "context": "Group Workspace Apps", - "reference": "Modules/Settings/WorkspacesTab.qml:110", + "reference": "Modules/Settings/WorkspacesTab.qml:121", "comment": "" }, { @@ -4142,7 +4316,7 @@ { "term": "Group repeated application icons in unfocused workspaces", "context": "Group repeated application icons in unfocused workspaces", - "reference": "Modules/Settings/WorkspacesTab.qml:111", + "reference": "Modules/Settings/WorkspacesTab.qml:122", "comment": "" }, { @@ -4256,7 +4430,7 @@ { "term": "Hide When Typing", "context": "Hide When Typing", - "reference": "Modules/Settings/ThemeColorsTab.qml:1977", + "reference": "Modules/Settings/ThemeColorsTab.qml:2009", "comment": "" }, { @@ -4268,31 +4442,31 @@ { "term": "Hide cursor after inactivity (0 = disabled)", "context": "Hide cursor after inactivity (0 = disabled)", - "reference": "Modules/Settings/ThemeColorsTab.qml:2024", + "reference": "Modules/Settings/ThemeColorsTab.qml:2056", "comment": "" }, { "term": "Hide cursor when pressing keyboard keys", "context": "Hide cursor when pressing keyboard keys", - "reference": "Modules/Settings/ThemeColorsTab.qml:1978", + "reference": "Modules/Settings/ThemeColorsTab.qml:2010", "comment": "" }, { "term": "Hide cursor when using touch input", "context": "Hide cursor when using touch input", - "reference": "Modules/Settings/ThemeColorsTab.qml:2007", + "reference": "Modules/Settings/ThemeColorsTab.qml:2039", "comment": "" }, { "term": "Hide on Touch", "context": "Hide on Touch", - "reference": "Modules/Settings/ThemeColorsTab.qml:2006", + "reference": "Modules/Settings/ThemeColorsTab.qml:2038", "comment": "" }, { "term": "High-fidelity palette that preserves source hues.", "context": "High-fidelity palette that preserves source hues.", - "reference": "Common/Theme.qml:482", + "reference": "Common/Theme.qml:472", "comment": "" }, { @@ -4304,13 +4478,13 @@ { "term": "History Retention", "context": "notification history retention settings label", - "reference": "Modules/Settings/NotificationsTab.qml:286", + "reference": "Modules/Settings/NotificationsTab.qml:280", "comment": "" }, { "term": "History Settings", "context": "History Settings", - "reference": "Modules/Settings/NotificationsTab.qml:257, Modules/Settings/ClipboardTab.qml:276, Modules/Notifications/Center/NotificationSettings.qml:274", + "reference": "Modules/Settings/NotificationsTab.qml:251, Modules/Settings/ClipboardTab.qml:276, Modules/Notifications/Center/NotificationSettings.qml:274", "comment": "" }, { @@ -4388,19 +4562,19 @@ { "term": "How often to change wallpaper", "context": "How often to change wallpaper", - "reference": "Modules/Settings/WallpaperTab.qml:992", + "reference": "Modules/Settings/WallpaperTab.qml:990", "comment": "" }, { "term": "Humidity", "context": "Humidity", - "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeather.qml:413, Modules/DankDash/WeatherForecastCard.qml:79, Modules/Settings/TimeWeatherTab.qml:881", + "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeather.qml:413, Modules/DankDash/WeatherForecastCard.qml:79, Modules/Settings/TimeWeatherTab.qml:879", "comment": "" }, { "term": "Hyprland Layout Overrides", "context": "Hyprland Layout Overrides", - "reference": "Modules/Settings/ThemeColorsTab.qml:1622", + "reference": "Modules/Settings/ThemeColorsTab.qml:1654", "comment": "" }, { @@ -4421,6 +4595,12 @@ "reference": "Modules/Settings/NetworkTab.qml:922", "comment": "" }, + { + "term": "ISO Date", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:109, Modules/Settings/TimeWeatherTab.qml:128, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:196, Modules/Settings/TimeWeatherTab.qml:215", + "comment": "" + }, { "term": "Icon", "context": "Icon", @@ -4430,13 +4610,13 @@ { "term": "Icon Size", "context": "Icon Size", - "reference": "Modules/Settings/DockTab.qml:426", + "reference": "Modules/Settings/DockTab.qml:426, Modules/Settings/WorkspacesTab.qml:109", "comment": "" }, { "term": "Icon Theme", "context": "Icon Theme", - "reference": "Modules/Settings/ThemeColorsTab.qml:2372, Modules/Settings/ThemeColorsTab.qml:2379", + "reference": "Modules/Settings/ThemeColorsTab.qml:2404, Modules/Settings/ThemeColorsTab.qml:2411", "comment": "" }, { @@ -4448,7 +4628,7 @@ { "term": "Idle Inhibitor", "context": "Idle Inhibitor", - "reference": "Modules/Settings/WidgetsTab.qml:190, Modules/Settings/OSDTab.qml:120", + "reference": "Modules/Settings/WidgetsTab.qml:190, Modules/Settings/OSDTab.qml:111", "comment": "" }, { @@ -4502,7 +4682,7 @@ { "term": "Include Transitions", "context": "Include Transitions", - "reference": "Modules/Settings/WallpaperTab.qml:1157", + "reference": "Modules/Settings/WallpaperTab.qml:1181", "comment": "" }, { @@ -4670,7 +4850,7 @@ { "term": "Interval", "context": "Interval", - "reference": "Modules/Settings/WallpaperTab.qml:991", + "reference": "Modules/Settings/WallpaperTab.qml:989", "comment": "" }, { @@ -4685,6 +4865,12 @@ "reference": "Modules/Settings/LauncherTab.qml:298", "comment": "" }, + { + "term": "Iris Bloom", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1151", + "comment": "" + }, { "term": "Isolate Displays", "context": "Isolate Displays", @@ -4856,13 +5042,13 @@ { "term": "Latitude", "context": "Latitude", - "reference": "Modules/Settings/ThemeColorsTab.qml:1222, Modules/Settings/GammaControlTab.qml:379, Modules/Settings/TimeWeatherTab.qml:451", + "reference": "Modules/Settings/ThemeColorsTab.qml:1222, Modules/Settings/GammaControlTab.qml:379, Modules/Settings/TimeWeatherTab.qml:449", "comment": "" }, { "term": "Launch", "context": "Launch", - "reference": "Modals/DankLauncherV2/LauncherContextMenu.qml:147, Modals/DankLauncherV2/Controller.qml:736", + "reference": "Modals/DankLauncherV2/LauncherContextMenu.qml:147, Modals/DankLauncherV2/Controller.qml:742", "comment": "" }, { @@ -4909,8 +5095,14 @@ }, { "term": "Left", - "context": "Left", - "reference": "Modules/Settings/DankBarTab.qml:390, Modules/Settings/DankBarTab.qml:642, Modules/DankBar/Popouts/BatteryPopout.qml:527", + "context": "dock position option", + "reference": "Modules/Settings/DockTab.qml:31, Modules/Settings/DankBarTab.qml:390, Modules/Settings/DankBarTab.qml:642, Modules/DankBar/Popouts/BatteryPopout.qml:527", + "comment": "" + }, + { + "term": "Left Center", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:46, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:67", "comment": "" }, { @@ -4922,7 +5114,13 @@ { "term": "Light Mode", "context": "Light Mode", - "reference": "Modules/Settings/ThemeColorsTab.qml:1350, Modules/Settings/ThemeColorsTab.qml:1420, Modules/Settings/WallpaperTab.qml:386", + "reference": "Modules/Settings/ThemeColorsTab.qml:1350, Modules/Settings/ThemeColorsTab.qml:1420, Modules/Settings/WallpaperTab.qml:384", + "comment": "" + }, + { + "term": "Line", + "context": "dock indicator style option", + "reference": "Modules/Settings/DockTab.qml:154", "comment": "" }, { @@ -4946,7 +5144,7 @@ { "term": "Lively palette with saturated accents.", "context": "Lively palette with saturated accents.", - "reference": "Common/Theme.qml:470", + "reference": "Common/Theme.qml:460", "comment": "" }, { @@ -4970,7 +5168,7 @@ { "term": "Loading trending...", "context": "Loading trending...", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:137, dms-plugins/DankGifSearch/DankGifSearch.qml:80", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:145, dms-plugins/DankGifSearch/DankGifSearch.qml:88", "comment": "" }, { @@ -4994,7 +5192,7 @@ { "term": "Location Search", "context": "Location Search", - "reference": "Modules/Settings/TimeWeatherTab.qml:551", + "reference": "Modules/Settings/TimeWeatherTab.qml:549", "comment": "" }, { @@ -5006,7 +5204,7 @@ { "term": "Lock Screen", "context": "greeter feature card title | lock screen notifications settings card", - "reference": "Modals/Greeter/GreeterWelcomePage.qml:158, Modals/Settings/SettingsSidebar.qml:266, Modules/Settings/NotificationsTab.qml:177", + "reference": "Modals/Greeter/GreeterWelcomePage.qml:158, Modals/Settings/SettingsSidebar.qml:266, Modules/Settings/NotificationsTab.qml:171", "comment": "" }, { @@ -5018,7 +5216,7 @@ { "term": "Lock Screen Format", "context": "Lock Screen Format", - "reference": "Modules/Settings/TimeWeatherTab.qml:164", + "reference": "Modules/Settings/TimeWeatherTab.qml:163", "comment": "" }, { @@ -5078,13 +5276,13 @@ { "term": "Longitude", "context": "Longitude", - "reference": "Modules/Settings/ThemeColorsTab.qml:1245, Modules/Settings/GammaControlTab.qml:402, Modules/Settings/TimeWeatherTab.qml:500", + "reference": "Modules/Settings/ThemeColorsTab.qml:1245, Modules/Settings/GammaControlTab.qml:402, Modules/Settings/TimeWeatherTab.qml:498", "comment": "" }, { "term": "Low Priority", "context": "Low Priority", - "reference": "Modules/Settings/NotificationsTab.qml:205, Modules/Settings/NotificationsTab.qml:328, Modules/Notifications/Center/NotificationSettings.qml:173, Modules/Notifications/Center/NotificationSettings.qml:298", + "reference": "Modules/Settings/NotificationsTab.qml:199, Modules/Settings/NotificationsTab.qml:322, Modules/Notifications/Center/NotificationSettings.qml:173, Modules/Notifications/Center/NotificationSettings.qml:298", "comment": "" }, { @@ -5126,7 +5324,7 @@ { "term": "MangoWC Layout Overrides", "context": "MangoWC Layout Overrides", - "reference": "Modules/Settings/ThemeColorsTab.qml:1725", + "reference": "Modules/Settings/ThemeColorsTab.qml:1757", "comment": "" }, { @@ -5216,13 +5414,13 @@ { "term": "Matugen Target Monitor", "context": "Matugen Target Monitor", - "reference": "Modules/Settings/WallpaperTab.qml:836", + "reference": "Modules/Settings/WallpaperTab.qml:834", "comment": "" }, { "term": "Matugen Templates", "context": "Matugen Templates", - "reference": "Modules/Settings/ThemeColorsTab.qml:2062", + "reference": "Modules/Settings/ThemeColorsTab.qml:2094", "comment": "" }, { @@ -5246,7 +5444,7 @@ { "term": "Maximum History", "context": "Maximum History", - "reference": "Modules/Settings/NotificationsTab.qml:272, Modules/Settings/ClipboardTab.qml:284", + "reference": "Modules/Settings/NotificationsTab.qml:266, Modules/Settings/ClipboardTab.qml:284", "comment": "" }, { @@ -5270,7 +5468,7 @@ { "term": "Maximum number of notifications to keep", "context": "notification history limit", - "reference": "Modules/Settings/NotificationsTab.qml:273", + "reference": "Modules/Settings/NotificationsTab.qml:267", "comment": "" }, { @@ -5342,7 +5540,7 @@ { "term": "Media Volume", "context": "Media Volume", - "reference": "Modules/Settings/OSDTab.qml:106", + "reference": "Modules/Settings/OSDTab.qml:97", "comment": "" }, { @@ -5390,7 +5588,7 @@ { "term": "Microphone Mute", "context": "Microphone Mute", - "reference": "Modules/Settings/OSDTab.qml:127", + "reference": "Modules/Settings/OSDTab.qml:118", "comment": "" }, { @@ -5420,7 +5618,7 @@ { "term": "Minimal palette built around a single hue.", "context": "Minimal palette built around a single hue.", - "reference": "Common/Theme.qml:490", + "reference": "Common/Theme.qml:480", "comment": "" }, { @@ -5438,7 +5636,7 @@ { "term": "Modal Background", "context": "Modal Background", - "reference": "Modules/Settings/ThemeColorsTab.qml:1828", + "reference": "Modules/Settings/ThemeColorsTab.qml:1860", "comment": "" }, { @@ -5450,7 +5648,7 @@ { "term": "Mode:", "context": "Mode:", - "reference": "Modules/Settings/WallpaperTab.qml:922", + "reference": "Modules/Settings/WallpaperTab.qml:920", "comment": "" }, { @@ -5486,7 +5684,13 @@ { "term": "Monitor whose wallpaper drives dynamic theming colors", "context": "Monitor whose wallpaper drives dynamic theming colors", - "reference": "Modules/Settings/WallpaperTab.qml:837", + "reference": "Modules/Settings/WallpaperTab.qml:835", + "comment": "" + }, + { + "term": "Monochrome", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:479", "comment": "" }, { @@ -5501,6 +5705,12 @@ "reference": "Modules/Settings/TypographyMotionTab.qml:101", "comment": "" }, + { + "term": "Month Date", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:93, Modules/Settings/TimeWeatherTab.qml:124, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:180, Modules/Settings/TimeWeatherTab.qml:211", + "comment": "" + }, { "term": "Morning", "context": "Morning", @@ -5516,13 +5726,13 @@ { "term": "Mouse pointer appearance", "context": "Mouse pointer appearance", - "reference": "Modules/Settings/ThemeColorsTab.qml:1948", + "reference": "Modules/Settings/ThemeColorsTab.qml:1980", "comment": "" }, { "term": "Mouse pointer size in pixels", "context": "Mouse pointer size in pixels", - "reference": "Modules/Settings/ThemeColorsTab.qml:1964", + "reference": "Modules/Settings/ThemeColorsTab.qml:1996", "comment": "" }, { @@ -5543,10 +5753,16 @@ "reference": "Modals/Greeter/GreeterWelcomePage.qml:130", "comment": "" }, + { + "term": "Muted", + "context": "audio status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:359, Modules/ControlCenter/Components/DragDropGrid.qml:370", + "comment": "" + }, { "term": "Muted palette with subdued, calming tones.", "context": "Muted palette with subdued, calming tones.", - "reference": "Common/Theme.qml:494", + "reference": "Common/Theme.qml:484", "comment": "" }, { @@ -5564,7 +5780,7 @@ { "term": "Named Workspace Icons", "context": "Named Workspace Icons", - "reference": "Modules/Settings/WorkspacesTab.qml:386", + "reference": "Modules/Settings/WorkspacesTab.qml:397", "comment": "" }, { @@ -5621,6 +5837,12 @@ "reference": "Modules/Settings/WidgetsTab.qml:219", "comment": "" }, + { + "term": "Neutral", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:483", + "comment": "" + }, { "term": "Never", "context": "Never", @@ -5654,7 +5876,7 @@ { "term": "New York, NY", "context": "New York, NY", - "reference": "Modules/Settings/TimeWeatherTab.qml:561", + "reference": "Modules/Settings/TimeWeatherTab.qml:559", "comment": "" }, { @@ -5708,7 +5930,7 @@ { "term": "Niri Layout Overrides", "context": "Niri Layout Overrides", - "reference": "Modules/Settings/ThemeColorsTab.qml:1519", + "reference": "Modules/Settings/ThemeColorsTab.qml:1551", "comment": "" }, { @@ -5735,6 +5957,12 @@ "reference": "Modules/Settings/DankBarTab.qml:1042", "comment": "" }, + { + "term": "No Battery", + "context": "battery status", + "reference": "Services/BatteryService.qml:155", + "comment": "" + }, { "term": "No Bluetooth adapter found", "context": "No Bluetooth adapter found", @@ -5780,7 +6008,7 @@ { "term": "No Weather Data Available", "context": "No Weather Data Available", - "reference": "Modules/DankDash/WeatherTab.qml:74, Modules/Settings/TimeWeatherTab.qml:600", + "reference": "Modules/DankDash/WeatherTab.qml:74, Modules/Settings/TimeWeatherTab.qml:598", "comment": "" }, { @@ -5789,10 +6017,16 @@ "reference": "Widgets/KeybindItem.qml:326", "comment": "" }, + { + "term": "No adapter", + "context": "bluetooth status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:299", + "comment": "" + }, { "term": "No adapters", - "context": "No adapters", - "reference": "Modules/Settings/NetworkTab.qml:332", + "context": "bluetooth status", + "reference": "Modules/Settings/NetworkTab.qml:332, Modules/ControlCenter/Components/DragDropGrid.qml:337", "comment": "" }, { @@ -5839,8 +6073,8 @@ }, { "term": "No devices", - "context": "KDE Connect no devices status", - "reference": "dms-plugins/DankKDEConnect/DankKDEConnect.qml:31", + "context": "KDE Connect no devices status | bluetooth status", + "reference": "dms-plugins/DankKDEConnect/DankKDEConnect.qml:31, Modules/ControlCenter/Components/DragDropGrid.qml:352", "comment": "" }, { @@ -5903,6 +6137,12 @@ "reference": "Modals/Greeter/GreeterDoctorPage.qml:330", "comment": "" }, + { + "term": "No input device", + "context": "audio status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:307", + "comment": "" + }, { "term": "No items added yet", "context": "No items added yet", @@ -5939,6 +6179,12 @@ "reference": "Modules/ProcessList/DisksView.qml:335", "comment": "" }, + { + "term": "No output device", + "context": "audio status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:305", + "comment": "" + }, { "term": "No plugin results", "context": "No plugin results", @@ -5984,7 +6230,7 @@ { "term": "No results found", "context": "No results found", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:137, dms-plugins/DankGifSearch/DankGifSearch.qml:80, Modals/DankLauncherV2/ResultsList.qml:487", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:145, dms-plugins/DankGifSearch/DankGifSearch.qml:88, Modals/DankLauncherV2/ResultsList.qml:487", "comment": "" }, { @@ -6008,7 +6254,7 @@ { "term": "No trigger", "context": "No trigger", - "reference": "Modals/DankLauncherV2/Controller.qml:878, Modules/Settings/LauncherTab.qml:731", + "reference": "Modals/DankLauncherV2/Controller.qml:884, Modules/Settings/LauncherTab.qml:731", "comment": "" }, { @@ -6037,8 +6283,8 @@ }, { "term": "None", - "context": "None", - "reference": "Services/CupsService.qml:769, Modules/Settings/TypographyMotionTab.qml:225, Modules/Settings/DesktopWidgetInstanceCard.qml:258, Modules/Settings/DesktopWidgetInstanceCard.qml:274, Modules/Settings/DankBarTab.qml:835, Modules/Settings/DankBarTab.qml:835, Modules/Settings/DankBarTab.qml:872, Modules/Settings/DisplayConfig/HyprlandOutputSettings.qml:87, Modules/Settings/DisplayConfig/HyprlandOutputSettings.qml:100, Modules/Settings/DisplayConfig/HyprlandOutputSettings.qml:104", + "context": "wallpaper transition option", + "reference": "Services/CupsService.qml:769, Modules/Settings/TypographyMotionTab.qml:225, Modules/Settings/WallpaperTab.qml:1141, Modules/Settings/DesktopWidgetInstanceCard.qml:258, Modules/Settings/DesktopWidgetInstanceCard.qml:274, Modules/Settings/DankBarTab.qml:835, Modules/Settings/DankBarTab.qml:835, Modules/Settings/DankBarTab.qml:872, Modules/Settings/DisplayConfig/HyprlandOutputSettings.qml:87, Modules/Settings/DisplayConfig/HyprlandOutputSettings.qml:100, Modules/Settings/DisplayConfig/HyprlandOutputSettings.qml:104", "comment": "" }, { @@ -6056,7 +6302,7 @@ { "term": "Normal Priority", "context": "Normal Priority", - "reference": "Modules/Settings/NotificationsTab.qml:222, Modules/Settings/NotificationsTab.qml:337, Modules/Notifications/Center/NotificationSettings.qml:188, Modules/Notifications/Center/NotificationSettings.qml:332", + "reference": "Modules/Settings/NotificationsTab.qml:216, Modules/Settings/NotificationsTab.qml:331, Modules/Notifications/Center/NotificationSettings.qml:188, Modules/Notifications/Center/NotificationSettings.qml:332", "comment": "" }, { @@ -6067,8 +6313,8 @@ }, { "term": "Not connected", - "context": "Not connected", - "reference": "Modules/Settings/NetworkTab.qml:805", + "context": "network status", + "reference": "Modules/Settings/NetworkTab.qml:805, Modules/ControlCenter/Components/DragDropGrid.qml:291", "comment": "" }, { @@ -6107,6 +6353,12 @@ "reference": "Modules/Settings/DisplayWidgetsTab.qml:61", "comment": "" }, + { + "term": "Nothing", + "context": "media scroll wheel option", + "reference": "Modules/Settings/MediaPlayerTab.qml:51", + "comment": "" + }, { "term": "Nothing to see here", "context": "Nothing to see here", @@ -6122,13 +6374,13 @@ { "term": "Notification Display", "context": "lock screen notification privacy setting", - "reference": "Modules/Settings/LockScreenTab.qml:90, Modules/Settings/NotificationsTab.qml:183", + "reference": "Modules/Settings/LockScreenTab.qml:90, Modules/Settings/NotificationsTab.qml:177", "comment": "" }, { "term": "Notification Overlay", "context": "Notification Overlay", - "reference": "Modules/Settings/NotificationsTab.qml:142, Modules/Notifications/Center/NotificationSettings.qml:245", + "reference": "Modules/Settings/NotificationsTab.qml:136, Modules/Notifications/Center/NotificationSettings.qml:245", "comment": "" }, { @@ -6146,7 +6398,7 @@ { "term": "Notification Timeouts", "context": "Notification Timeouts", - "reference": "Modules/Settings/NotificationsTab.qml:199, Modules/Notifications/Center/NotificationSettings.qml:166", + "reference": "Modules/Settings/NotificationsTab.qml:193, Modules/Notifications/Center/NotificationSettings.qml:166", "comment": "" }, { @@ -6167,6 +6419,18 @@ "reference": "Widgets/DankIconPicker.qml:24", "comment": "" }, + { + "term": "Numeric (D/M)", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:101, Modules/Settings/TimeWeatherTab.qml:126, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:188, Modules/Settings/TimeWeatherTab.qml:213", + "comment": "" + }, + { + "term": "Numeric (M/D)", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:97, Modules/Settings/TimeWeatherTab.qml:125, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:184, Modules/Settings/TimeWeatherTab.qml:212", + "comment": "" + }, { "term": "OK", "context": "greeter doctor page status card", @@ -6188,13 +6452,13 @@ { "term": "Occupied Color", "context": "Occupied Color", - "reference": "Modules/Settings/WorkspacesTab.qml:203", + "reference": "Modules/Settings/WorkspacesTab.qml:214", "comment": "" }, { "term": "Off", - "context": "Off", - "reference": "Modules/ProcessList/SystemView.qml:274, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:89, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:97, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:104", + "context": "bluetooth status", + "reference": "Modules/ProcessList/SystemView.qml:274, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:89, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:97, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:104, Modules/ControlCenter/Components/DragDropGrid.qml:339", "comment": "" }, { @@ -6260,7 +6524,7 @@ { "term": "Open", "context": "Open", - "reference": "Modals/DankLauncherV2/Controller.qml:740, Modals/DankLauncherV2/Controller.qml:744, Modals/DankLauncherV2/Controller.qml:748, Modules/Notepad/NotepadTextEditor.qml:779, Modules/Settings/NetworkTab.qml:1176, Modules/Settings/NetworkTab.qml:1414, Modules/ControlCenter/Details/NetworkDetail.qml:595", + "reference": "Modals/DankLauncherV2/Controller.qml:746, Modals/DankLauncherV2/Controller.qml:750, Modals/DankLauncherV2/Controller.qml:754, Modules/Notepad/NotepadTextEditor.qml:779, Modules/Settings/NetworkTab.qml:1176, Modules/Settings/NetworkTab.qml:1414, Modules/ControlCenter/Details/NetworkDetail.qml:595", "comment": "" }, { @@ -6284,13 +6548,13 @@ { "term": "Open folder", "context": "Open folder", - "reference": "Modals/DankLauncherV2/Controller.qml:748", + "reference": "Modals/DankLauncherV2/Controller.qml:754", "comment": "" }, { "term": "Open in Browser", "context": "Open in Browser", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:203, dms-plugins/DankGifSearch/DankGifSearch.qml:146", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:262, dms-plugins/DankGifSearch/DankGifSearch.qml:205", "comment": "" }, { @@ -6404,19 +6668,19 @@ { "term": "Override Border Size", "context": "Override Border Size", - "reference": "Modules/Settings/ThemeColorsTab.qml:1591, Modules/Settings/ThemeColorsTab.qml:1694, Modules/Settings/ThemeColorsTab.qml:1797", + "reference": "Modules/Settings/ThemeColorsTab.qml:1623, Modules/Settings/ThemeColorsTab.qml:1726, Modules/Settings/ThemeColorsTab.qml:1829", "comment": "" }, { "term": "Override Corner Radius", "context": "Override Corner Radius", - "reference": "Modules/Settings/ThemeColorsTab.qml:1560, Modules/Settings/ThemeColorsTab.qml:1663, Modules/Settings/ThemeColorsTab.qml:1766", + "reference": "Modules/Settings/ThemeColorsTab.qml:1592, Modules/Settings/ThemeColorsTab.qml:1695, Modules/Settings/ThemeColorsTab.qml:1798", "comment": "" }, { "term": "Override Gaps", "context": "Override Gaps", - "reference": "Modules/Settings/ThemeColorsTab.qml:1528, Modules/Settings/ThemeColorsTab.qml:1631, Modules/Settings/ThemeColorsTab.qml:1734", + "reference": "Modules/Settings/ThemeColorsTab.qml:1560, Modules/Settings/ThemeColorsTab.qml:1663, Modules/Settings/ThemeColorsTab.qml:1766", "comment": "" }, { @@ -6455,6 +6719,12 @@ "reference": "Modals/WifiPasswordModal.qml:181", "comment": "" }, + { + "term": "Pad", + "context": "wallpaper fill mode", + "reference": "Modules/Settings/WallpaperTab.qml:323", + "comment": "" + }, { "term": "Pad Hours", "context": "Pad Hours", @@ -6557,16 +6827,28 @@ "reference": "Services/CupsService.qml:744", "comment": "" }, + { + "term": "Pending Charge", + "context": "battery status", + "reference": "Services/BatteryService.qml:144", + "comment": "" + }, + { + "term": "Pending Discharge", + "context": "battery status", + "reference": "Services/BatteryService.qml:146", + "comment": "" + }, { "term": "Per-Mode Wallpapers", "context": "Per-Mode Wallpapers", - "reference": "Modules/Settings/WallpaperTab.qml:364", + "reference": "Modules/Settings/WallpaperTab.qml:362", "comment": "" }, { "term": "Per-Monitor Wallpapers", "context": "Per-Monitor Wallpapers", - "reference": "Modules/Settings/WallpaperTab.qml:783", + "reference": "Modules/Settings/WallpaperTab.qml:781", "comment": "" }, { @@ -6583,8 +6865,8 @@ }, { "term": "Performance", - "context": "Performance", - "reference": "Modals/ProcessListModal.qml:307", + "context": "power profile option", + "reference": "Modals/ProcessListModal.qml:307, Common/Theme.qml:1109", "comment": "" }, { @@ -6638,7 +6920,7 @@ { "term": "Pinned", "context": "Pinned", - "reference": "Modals/DankLauncherV2/Controller.qml:104, Modules/ControlCenter/Details/BluetoothDetail.qml:346, Modules/ControlCenter/Details/BrightnessDetail.qml:207, Modules/ControlCenter/Details/AudioInputDetail.qml:268, Modules/ControlCenter/Details/AudioOutputDetail.qml:280, Modules/ControlCenter/Details/NetworkDetail.qml:669", + "reference": "Modals/DankLauncherV2/Controller.qml:110, Modules/ControlCenter/Details/BluetoothDetail.qml:346, Modules/ControlCenter/Details/BrightnessDetail.qml:207, Modules/ControlCenter/Details/AudioInputDetail.qml:268, Modules/ControlCenter/Details/AudioOutputDetail.qml:280, Modules/ControlCenter/Details/NetworkDetail.qml:669", "comment": "" }, { @@ -6647,6 +6929,12 @@ "reference": "Modules/Settings/WidgetsTab.qml:74", "comment": "" }, + { + "term": "Pixelate", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1153", + "comment": "" + }, { "term": "Place plugin directories here. Each plugin should have a plugin.json manifest file.", "context": "Place plugin directories here. Each plugin should have a plugin.json manifest file.", @@ -6689,10 +6977,16 @@ "reference": "Modules/ControlCenter/Details/AudioOutputDetail.qml:341", "comment": "" }, + { + "term": "Please wait...", + "context": "network status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:317", + "comment": "" + }, { "term": "Plugged In", - "context": "Plugged In", - "reference": "Modules/Settings/SoundsTab.qml:119", + "context": "battery status", + "reference": "Services/BatteryService.qml:159, Services/BatteryService.qml:165, Modules/Settings/SoundsTab.qml:119", "comment": "" }, { @@ -6752,7 +7046,7 @@ { "term": "Popup Transparency", "context": "Popup Transparency", - "reference": "Modules/Settings/ThemeColorsTab.qml:1491", + "reference": "Modules/Settings/ThemeColorsTab.qml:1523", "comment": "" }, { @@ -6761,6 +7055,12 @@ "reference": "Modals/Greeter/GreeterCompletePage.qml:398", "comment": "" }, + { + "term": "Portal", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1155", + "comment": "" + }, { "term": "Position", "context": "Position", @@ -6824,7 +7124,7 @@ { "term": "Power Profile", "context": "Power Profile", - "reference": "Modules/Settings/OSDTab.qml:141", + "reference": "Modules/Settings/OSDTab.qml:132", "comment": "" }, { @@ -6833,6 +7133,12 @@ "reference": "Modules/ControlCenter/Details/BatteryDetail.qml:246, Modules/DankBar/Popouts/BatteryPopout.qml:620", "comment": "" }, + { + "term": "Power Saver", + "context": "power profile option", + "reference": "Common/Theme.qml:1105", + "comment": "" + }, { "term": "Power off monitors on lock", "context": "Power off monitors on lock", @@ -6884,7 +7190,7 @@ { "term": "Pressure", "context": "Pressure", - "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeather.qml:449, Modules/DankDash/WeatherForecastCard.qml:89, Modules/Settings/TimeWeatherTab.qml:982", + "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeather.qml:449, Modules/DankDash/WeatherForecastCard.qml:89, Modules/Settings/TimeWeatherTab.qml:980", "comment": "" }, { @@ -6901,8 +7207,14 @@ }, { "term": "Primary", - "context": "primary color", - "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:39, Modules/Settings/DockTab.qml:297, Modules/Settings/LauncherTab.qml:179, Modules/Settings/LauncherTab.qml:466, Modules/Settings/WorkspacesTab.qml:338, Modules/Settings/NetworkTab.qml:220, Modules/Settings/Widgets/SettingsColorPicker.qml:42", + "context": "color option | primary color | tile color option", + "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:39, Modules/Settings/ThemeColorsTab.qml:1493, Modules/Settings/ThemeColorsTab.qml:1503, Modules/Settings/DockTab.qml:297, Modules/Settings/DockTab.qml:503, Modules/Settings/LauncherTab.qml:179, Modules/Settings/LauncherTab.qml:466, Modules/Settings/WorkspacesTab.qml:349, Modules/Settings/NetworkTab.qml:220, Modules/Settings/Widgets/SettingsColorPicker.qml:42", + "comment": "" + }, + { + "term": "Primary Container", + "context": "tile color option", + "reference": "Modules/Settings/ThemeColorsTab.qml:1493, Modules/Settings/ThemeColorsTab.qml:1497, Modules/Settings/ThemeColorsTab.qml:1507", "comment": "" }, { @@ -6959,6 +7271,12 @@ "reference": "Modules/ControlCenter/BuiltinPlugins/CupsWidget.qml:19", "comment": "" }, + { + "term": "Prioritize performance", + "context": "power profile description", + "reference": "Common/Theme.qml:1122", + "comment": "" + }, { "term": "Privacy Indicator", "context": "Privacy Indicator", @@ -7052,7 +7370,19 @@ { "term": "Rain Chance", "context": "Rain Chance", - "reference": "Modules/Settings/TimeWeatherTab.qml:1032", + "reference": "Modules/Settings/TimeWeatherTab.qml:1030", + "comment": "" + }, + { + "term": "Rainbow", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:487", + "comment": "" + }, + { + "term": "Random", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1139, Modules/Settings/WallpaperTab.qml:1162, Modules/Settings/WallpaperTab.qml:1165", "comment": "" }, { @@ -7274,13 +7604,13 @@ { "term": "Reverse Scrolling Direction", "context": "Reverse Scrolling Direction", - "reference": "Modules/Settings/WorkspacesTab.qml:140", + "reference": "Modules/Settings/WorkspacesTab.qml:151", "comment": "" }, { "term": "Reverse workspace switch direction when scrolling over the bar", "context": "Reverse workspace switch direction when scrolling over the bar", - "reference": "Modules/Settings/WorkspacesTab.qml:141", + "reference": "Modules/Settings/WorkspacesTab.qml:152", "comment": "" }, { @@ -7291,8 +7621,14 @@ }, { "term": "Right", - "context": "Right", - "reference": "Modules/Settings/DankBarTab.qml:392, Modules/Settings/DankBarTab.qml:642", + "context": "dock position option", + "reference": "Modules/Settings/DockTab.qml:31, Modules/Settings/DankBarTab.qml:392, Modules/Settings/DankBarTab.qml:642", + "comment": "" + }, + { + "term": "Right Center", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:48, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:69", "comment": "" }, { @@ -7346,19 +7682,19 @@ { "term": "Rounded corners for windows", "context": "Rounded corners for windows", - "reference": "Modules/Settings/ThemeColorsTab.qml:1577", + "reference": "Modules/Settings/ThemeColorsTab.qml:1609", "comment": "" }, { "term": "Rounded corners for windows (border_radius)", "context": "Rounded corners for windows (border_radius)", - "reference": "Modules/Settings/ThemeColorsTab.qml:1783", + "reference": "Modules/Settings/ThemeColorsTab.qml:1815", "comment": "" }, { "term": "Rounded corners for windows (decoration.rounding)", "context": "Rounded corners for windows (decoration.rounding)", - "reference": "Modules/Settings/ThemeColorsTab.qml:1680", + "reference": "Modules/Settings/ThemeColorsTab.qml:1712", "comment": "" }, { @@ -7370,13 +7706,13 @@ { "term": "Run DMS Templates", "context": "Run DMS Templates", - "reference": "Modules/Settings/ThemeColorsTab.qml:2081", + "reference": "Modules/Settings/ThemeColorsTab.qml:2113", "comment": "" }, { "term": "Run User Templates", "context": "Run User Templates", - "reference": "Modules/Settings/ThemeColorsTab.qml:2071", + "reference": "Modules/Settings/ThemeColorsTab.qml:2103", "comment": "" }, { @@ -7442,25 +7778,25 @@ { "term": "Save critical priority notifications to history", "context": "notification history setting", - "reference": "Modules/Settings/NotificationsTab.qml:347", + "reference": "Modules/Settings/NotificationsTab.qml:341", "comment": "" }, { "term": "Save dismissed notifications to history", "context": "notification history toggle description", - "reference": "Modules/Settings/NotificationsTab.qml:264", + "reference": "Modules/Settings/NotificationsTab.qml:258", "comment": "" }, { "term": "Save low priority notifications to history", "context": "notification history setting", - "reference": "Modules/Settings/NotificationsTab.qml:329", + "reference": "Modules/Settings/NotificationsTab.qml:323", "comment": "" }, { "term": "Save normal priority notifications to history", "context": "notification history setting", - "reference": "Modules/Settings/NotificationsTab.qml:338", + "reference": "Modules/Settings/NotificationsTab.qml:332", "comment": "" }, { @@ -7544,7 +7880,7 @@ { "term": "Scroll Wheel", "context": "Scroll Wheel", - "reference": "Modules/Settings/MediaPlayerTab.qml:56, Modules/Settings/DankBarTab.qml:825", + "reference": "Modules/Settings/MediaPlayerTab.qml:53, Modules/Settings/DankBarTab.qml:825", "comment": "" }, { @@ -7562,7 +7898,7 @@ { "term": "Scroll wheel behavior on media widget", "context": "Scroll wheel behavior on media widget", - "reference": "Modules/Settings/MediaPlayerTab.qml:57", + "reference": "Modules/Settings/MediaPlayerTab.qml:54", "comment": "" }, { @@ -7640,13 +7976,13 @@ { "term": "Searching...", "context": "Searching...", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:124, dms-plugins/DankGifSearch/DankGifSearch.qml:67", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:132, dms-plugins/DankGifSearch/DankGifSearch.qml:75", "comment": "" }, { "term": "Secondary", - "context": "secondary color", - "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:43, Modules/Settings/LauncherTab.qml:466, Modules/Settings/WorkspacesTab.qml:338, Modules/Settings/Widgets/SettingsColorPicker.qml:47", + "context": "color option | secondary color | tile color option", + "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeatherSettings.qml:43, Modules/Settings/ThemeColorsTab.qml:1493, Modules/Settings/ThemeColorsTab.qml:1499, Modules/Settings/ThemeColorsTab.qml:1509, Modules/Settings/DockTab.qml:503, Modules/Settings/LauncherTab.qml:466, Modules/Settings/WorkspacesTab.qml:349, Modules/Settings/Widgets/SettingsColorPicker.qml:47", "comment": "" }, { @@ -7670,7 +8006,7 @@ { "term": "Select", "context": "Select", - "reference": "Modals/DankLauncherV2/Controller.qml:1010", + "reference": "Modals/DankLauncherV2/Controller.qml:1016", "comment": "" }, { @@ -7688,7 +8024,7 @@ { "term": "Select Custom Theme", "context": "custom theme file browser title", - "reference": "Modules/Settings/ThemeColorsTab.qml:2500", + "reference": "Modules/Settings/ThemeColorsTab.qml:2532", "comment": "" }, { @@ -7712,7 +8048,7 @@ { "term": "Select Wallpaper", "context": "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title", - "reference": "Modals/Settings/SettingsModal.qml:150, Modules/Settings/WallpaperTab.qml:1269, Modules/Settings/WallpaperTab.qml:1291, Modules/Settings/WallpaperTab.qml:1311", + "reference": "Modals/Settings/SettingsModal.qml:150, Modules/Settings/WallpaperTab.qml:1293, Modules/Settings/WallpaperTab.qml:1315, Modules/Settings/WallpaperTab.qml:1335", "comment": "" }, { @@ -7751,6 +8087,12 @@ "reference": "dms-plugins/DankLauncherKeys/DankLauncherKeysSettings.qml:178", "comment": "" }, + { + "term": "Select device", + "context": "audio status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:357, Modules/ControlCenter/Components/DragDropGrid.qml:368", + "comment": "" + }, { "term": "Select device...", "context": "Select device...", @@ -7772,7 +8114,7 @@ { "term": "Select monitor to configure wallpaper", "context": "Select monitor to configure wallpaper", - "reference": "Modules/Settings/WallpaperTab.qml:802", + "reference": "Modules/Settings/WallpaperTab.qml:800", "comment": "" }, { @@ -7781,6 +8123,12 @@ "reference": "Modules/Settings/TypographyMotionTab.qml:102", "comment": "" }, + { + "term": "Select network", + "context": "network status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:331", + "comment": "" + }, { "term": "Select system sound theme", "context": "Select system sound theme", @@ -7808,7 +8156,7 @@ { "term": "Select which transitions to include in randomization", "context": "Select which transitions to include in randomization", - "reference": "Modules/Settings/WallpaperTab.qml:1164", + "reference": "Modules/Settings/WallpaperTab.qml:1188", "comment": "" }, { @@ -7868,13 +8216,13 @@ { "term": "Set different wallpapers for each connected monitor", "context": "Set different wallpapers for each connected monitor", - "reference": "Modules/Settings/WallpaperTab.qml:784", + "reference": "Modules/Settings/WallpaperTab.qml:782", "comment": "" }, { "term": "Set different wallpapers for light and dark mode", "context": "Set different wallpapers for light and dark mode", - "reference": "Modules/Settings/WallpaperTab.qml:365", + "reference": "Modules/Settings/WallpaperTab.qml:363", "comment": "" }, { @@ -7898,7 +8246,7 @@ { "term": "Setup", "context": "Setup", - "reference": "Modules/Settings/ThemeColorsTab.qml:1933, Modules/Settings/KeybindsTab.qml:346, Modules/Settings/DisplayConfig/IncludeWarningBox.qml:77", + "reference": "Modules/Settings/ThemeColorsTab.qml:1965, Modules/Settings/KeybindsTab.qml:346, Modules/Settings/DisplayConfig/IncludeWarningBox.qml:77", "comment": "" }, { @@ -7952,7 +8300,7 @@ { "term": "Shift+Enter to paste", "context": "Shift+Enter to paste", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:155, dms-plugins/DankGifSearch/DankGifSearch.qml:98", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:168, dms-plugins/DankGifSearch/DankGifSearch.qml:111", "comment": "" }, { @@ -7982,7 +8330,7 @@ { "term": "Show All Tags", "context": "Show All Tags", - "reference": "Modules/Settings/WorkspacesTab.qml:150", + "reference": "Modules/Settings/WorkspacesTab.qml:161", "comment": "" }, { @@ -8138,7 +8486,7 @@ { "term": "Show Occupied Workspaces Only", "context": "Show Occupied Workspaces Only", - "reference": "Modules/Settings/WorkspacesTab.qml:130", + "reference": "Modules/Settings/WorkspacesTab.qml:141", "comment": "" }, { @@ -8258,13 +8606,13 @@ { "term": "Show all 9 tags instead of only occupied tags (DWL only)", "context": "Show all 9 tags instead of only occupied tags (DWL only)", - "reference": "Modules/Settings/WorkspacesTab.qml:151", + "reference": "Modules/Settings/WorkspacesTab.qml:162", "comment": "" }, { "term": "Show an outline ring around the focused workspace indicator", "context": "Show an outline ring around the focused workspace indicator", - "reference": "Modules/Settings/WorkspacesTab.qml:324", + "reference": "Modules/Settings/WorkspacesTab.qml:335", "comment": "" }, { @@ -8276,7 +8624,7 @@ { "term": "Show darkened overlay behind modal dialogs", "context": "Show darkened overlay behind modal dialogs", - "reference": "Modules/Settings/ThemeColorsTab.qml:1836", + "reference": "Modules/Settings/ThemeColorsTab.qml:1868", "comment": "" }, { @@ -8336,49 +8684,49 @@ { "term": "Show on-screen display when brightness changes", "context": "Show on-screen display when brightness changes", - "reference": "Modules/Settings/OSDTab.qml:114", + "reference": "Modules/Settings/OSDTab.qml:105", "comment": "" }, { "term": "Show on-screen display when caps lock state changes", "context": "Show on-screen display when caps lock state changes", - "reference": "Modules/Settings/OSDTab.qml:135", + "reference": "Modules/Settings/OSDTab.qml:126", "comment": "" }, { "term": "Show on-screen display when cycling audio output devices", "context": "Show on-screen display when cycling audio output devices", - "reference": "Modules/Settings/OSDTab.qml:149", + "reference": "Modules/Settings/OSDTab.qml:140", "comment": "" }, { "term": "Show on-screen display when idle inhibitor state changes", "context": "Show on-screen display when idle inhibitor state changes", - "reference": "Modules/Settings/OSDTab.qml:121", + "reference": "Modules/Settings/OSDTab.qml:112", "comment": "" }, { "term": "Show on-screen display when media player volume changes", "context": "Show on-screen display when media player volume changes", - "reference": "Modules/Settings/OSDTab.qml:107", + "reference": "Modules/Settings/OSDTab.qml:98", "comment": "" }, { "term": "Show on-screen display when microphone is muted/unmuted", "context": "Show on-screen display when microphone is muted/unmuted", - "reference": "Modules/Settings/OSDTab.qml:128", + "reference": "Modules/Settings/OSDTab.qml:119", "comment": "" }, { "term": "Show on-screen display when power profile changes", "context": "Show on-screen display when power profile changes", - "reference": "Modules/Settings/OSDTab.qml:142", + "reference": "Modules/Settings/OSDTab.qml:133", "comment": "" }, { "term": "Show on-screen display when volume changes", "context": "Show on-screen display when volume changes", - "reference": "Modules/Settings/OSDTab.qml:100", + "reference": "Modules/Settings/OSDTab.qml:91", "comment": "" }, { @@ -8390,7 +8738,7 @@ { "term": "Show weather information in top bar and control center", "context": "Show weather information in top bar and control center", - "reference": "Modules/Settings/TimeWeatherTab.qml:350", + "reference": "Modules/Settings/TimeWeatherTab.qml:348", "comment": "" }, { @@ -8408,7 +8756,7 @@ { "term": "Show workspaces of the currently focused monitor", "context": "Show workspaces of the currently focused monitor", - "reference": "Modules/Settings/WorkspacesTab.qml:121", + "reference": "Modules/Settings/WorkspacesTab.qml:132", "comment": "" }, { @@ -8540,19 +8888,19 @@ { "term": "Space between windows", "context": "Space between windows", - "reference": "Modules/Settings/ThemeColorsTab.qml:1546", + "reference": "Modules/Settings/ThemeColorsTab.qml:1578", "comment": "" }, { "term": "Space between windows (gappih/gappiv/gappoh/gappov)", "context": "Space between windows (gappih/gappiv/gappoh/gappov)", - "reference": "Modules/Settings/ThemeColorsTab.qml:1752", + "reference": "Modules/Settings/ThemeColorsTab.qml:1784", "comment": "" }, { "term": "Space between windows (gaps_in and gaps_out)", "context": "Space between windows (gaps_in and gaps_out)", - "reference": "Modules/Settings/ThemeColorsTab.qml:1649", + "reference": "Modules/Settings/ThemeColorsTab.qml:1681", "comment": "" }, { @@ -8657,6 +9005,18 @@ "reference": "Services/CupsService.qml:803", "comment": "" }, + { + "term": "Stretch", + "context": "wallpaper fill mode", + "reference": "Modules/Settings/WallpaperTab.qml:323", + "comment": "" + }, + { + "term": "Stripes", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1149", + "comment": "" + }, { "term": "Sunrise", "context": "Sunrise", @@ -8672,13 +9032,19 @@ { "term": "Suppress notification popups while enabled", "context": "Suppress notification popups while enabled", - "reference": "Modules/Settings/NotificationsTab.qml:168", + "reference": "Modules/Settings/NotificationsTab.qml:162", "comment": "" }, { "term": "Surface", - "context": "shadow color option", - "reference": "Modules/Settings/DockTab.qml:297, Modules/Settings/LauncherTab.qml:179, Modules/Settings/WorkspacesTab.qml:338, Modules/Settings/DankBarTab.qml:1158", + "context": "color option | shadow color option", + "reference": "Modules/Settings/DockTab.qml:297, Modules/Settings/DockTab.qml:503, Modules/Settings/LauncherTab.qml:179, Modules/Settings/WorkspacesTab.qml:349, Modules/Settings/DankBarTab.qml:1158", + "comment": "" + }, + { + "term": "Surface Variant", + "context": "tile color option", + "reference": "Modules/Settings/ThemeColorsTab.qml:1493, Modules/Settings/ThemeColorsTab.qml:1501, Modules/Settings/ThemeColorsTab.qml:1511", "comment": "" }, { @@ -8714,7 +9080,7 @@ { "term": "Sync Mode with Portal", "context": "Sync Mode with Portal", - "reference": "Modules/Settings/ThemeColorsTab.qml:1853", + "reference": "Modules/Settings/ThemeColorsTab.qml:1885", "comment": "" }, { @@ -8726,7 +9092,7 @@ { "term": "Sync dark mode with settings portals for system-wide theme hints", "context": "Sync dark mode with settings portals for system-wide theme hints", - "reference": "Modules/Settings/ThemeColorsTab.qml:1854", + "reference": "Modules/Settings/ThemeColorsTab.qml:1886", "comment": "" }, { @@ -8738,7 +9104,7 @@ { "term": "System App Theming", "context": "System App Theming", - "reference": "Modules/Settings/ThemeColorsTab.qml:2398", + "reference": "Modules/Settings/ThemeColorsTab.qml:2430", "comment": "" }, { @@ -8747,6 +9113,12 @@ "reference": "Modals/Greeter/GreeterDoctorPage.qml:157, Modals/Greeter/GreeterDoctorPage.qml:221, Modules/Settings/AboutTab.qml:807", "comment": "" }, + { + "term": "System Default", + "context": "date format option", + "reference": "Modules/Settings/TimeWeatherTab.qml:78, Modules/Settings/TimeWeatherTab.qml:81, Modules/Settings/TimeWeatherTab.qml:121, Modules/Settings/TimeWeatherTab.qml:165, Modules/Settings/TimeWeatherTab.qml:168, Modules/Settings/TimeWeatherTab.qml:208", + "comment": "" + }, { "term": "System Information", "context": "system info header in system monitor", @@ -8846,7 +9218,7 @@ { "term": "Terminals - Always use Dark Theme", "context": "Terminals - Always use Dark Theme", - "reference": "Modules/Settings/ThemeColorsTab.qml:1863", + "reference": "Modules/Settings/ThemeColorsTab.qml:1895", "comment": "" }, { @@ -8882,7 +9254,7 @@ { "term": "The below settings will modify your GTK and Qt settings. If you wish to preserve your current configurations, please back them up (qt5ct.conf|qt6ct.conf and ~/.config/gtk-3.0|gtk-4.0).", "context": "The below settings will modify your GTK and Qt settings. If you wish to preserve your current configurations, please back them up (qt5ct.conf|qt6ct.conf and ~/.config/gtk-3.0|gtk-4.0).", - "reference": "Modules/Settings/ThemeColorsTab.qml:2361", + "reference": "Modules/Settings/ThemeColorsTab.qml:2393", "comment": "" }, { @@ -8918,7 +9290,7 @@ { "term": "Thickness", "context": "border thickness", - "reference": "Modules/Settings/LauncherTab.qml:434, Modules/Settings/WorkspacesTab.qml:372, Modules/Settings/DankBarTab.qml:1295, Modules/Settings/DankBarTab.qml:1383", + "reference": "Modules/Settings/LauncherTab.qml:434, Modules/Settings/WorkspacesTab.qml:383, Modules/Settings/DankBarTab.qml:1295, Modules/Settings/DankBarTab.qml:1383", "comment": "" }, { @@ -8963,6 +9335,24 @@ "reference": "Modals/Clipboard/ClipboardHistoryModal.qml:186", "comment": "" }, + { + "term": "Tile", + "context": "wallpaper fill mode", + "reference": "Modules/Settings/WallpaperTab.qml:323", + "comment": "" + }, + { + "term": "Tile H", + "context": "wallpaper fill mode", + "reference": "Modules/Settings/WallpaperTab.qml:323", + "comment": "" + }, + { + "term": "Tile V", + "context": "wallpaper fill mode", + "reference": "Modules/Settings/WallpaperTab.qml:323", + "comment": "" + }, { "term": "Tiling", "context": "Tiling", @@ -9002,19 +9392,19 @@ { "term": "Timeout for critical priority notifications", "context": "Timeout for critical priority notifications", - "reference": "Modules/Settings/NotificationsTab.qml:240", + "reference": "Modules/Settings/NotificationsTab.qml:234", "comment": "" }, { "term": "Timeout for low priority notifications", "context": "Timeout for low priority notifications", - "reference": "Modules/Settings/NotificationsTab.qml:206", + "reference": "Modules/Settings/NotificationsTab.qml:200", "comment": "" }, { "term": "Timeout for normal priority notifications", "context": "Timeout for normal priority notifications", - "reference": "Modules/Settings/NotificationsTab.qml:223", + "reference": "Modules/Settings/NotificationsTab.qml:217", "comment": "" }, { @@ -9071,6 +9461,12 @@ "reference": "Services/WeatherService.qml:443", "comment": "" }, + { + "term": "Tonal Spot", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:455", + "comment": "" + }, { "term": "Toner Empty", "context": "Toner Empty", @@ -9091,8 +9487,8 @@ }, { "term": "Top", - "context": "Top", - "reference": "Modules/Settings/DankBarTab.qml:386, Modules/Settings/DankBarTab.qml:394, Modules/Settings/DankBarTab.qml:642", + "context": "dock position option", + "reference": "Modules/Settings/DockTab.qml:31, Modules/Settings/DankBarTab.qml:386, Modules/Settings/DankBarTab.qml:394, Modules/Settings/DankBarTab.qml:642", "comment": "" }, { @@ -9101,10 +9497,16 @@ "reference": "Modules/Settings/TimeWeatherTab.qml:76", "comment": "" }, + { + "term": "Top Center", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:38, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:59, Modules/Settings/NotificationsTab.qml:102, Modules/Settings/NotificationsTab.qml:116, Modules/Settings/NotificationsTab.qml:122", + "comment": "" + }, { "term": "Top Left", - "context": "Top Left", - "reference": "Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:36, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:57, Modules/Settings/NotificationsTab.qml:109, Modules/Settings/NotificationsTab.qml:116, Modules/Settings/NotificationsTab.qml:120, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", "comment": "" }, { @@ -9115,8 +9517,8 @@ }, { "term": "Top Right", - "context": "Top Right", - "reference": "Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", + "context": "screen position option", + "reference": "Modules/Settings/OSDTab.qml:34, Modules/Settings/OSDTab.qml:53, Modules/Settings/OSDTab.qml:55, Modules/Settings/NotificationsTab.qml:105, Modules/Settings/NotificationsTab.qml:113, Modules/Settings/NotificationsTab.qml:116, Modules/Settings/NotificationsTab.qml:118, Modules/Settings/DisplayConfig/NiriOutputSettings.qml:144", "comment": "" }, { @@ -9140,7 +9542,7 @@ { "term": "Transition Effect", "context": "Transition Effect", - "reference": "Modules/Settings/WallpaperTab.qml:1135", + "reference": "Modules/Settings/WallpaperTab.qml:1133", "comment": "" }, { @@ -9152,13 +9554,13 @@ { "term": "Trending GIFs", "context": "Trending GIFs", - "reference": "dms-plugins/DankGifSearch/DankGifSearch.qml:69", + "reference": "dms-plugins/DankGifSearch/DankGifSearch.qml:77", "comment": "" }, { "term": "Trending Stickers", "context": "Trending Stickers", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:126", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:134", "comment": "" }, { @@ -9176,13 +9578,13 @@ { "term": "Trigger: %1", "context": "Trigger: %1", - "reference": "Modals/DankLauncherV2/Controller.qml:877, Modules/Settings/LauncherTab.qml:731", + "reference": "Modals/DankLauncherV2/Controller.qml:883, Modules/Settings/LauncherTab.qml:731", "comment": "" }, { "term": "Try a different search", "context": "Try a different search", - "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:139, dms-plugins/DankGifSearch/DankGifSearch.qml:82", + "reference": "dms-plugins/DankStickerSearch/DankStickerSearch.qml:147, dms-plugins/DankGifSearch/DankGifSearch.qml:90", "comment": "" }, { @@ -9254,7 +9656,7 @@ { "term": "Unfocused Color", "context": "Unfocused Color", - "reference": "Modules/Settings/WorkspacesTab.qml:245", + "reference": "Modules/Settings/WorkspacesTab.qml:256", "comment": "" }, { @@ -9295,8 +9697,8 @@ }, { "term": "Unknown", - "context": "KDE Connect unknown device status | unknown author", - "reference": "dms-plugins/DankKDEConnect/components/DeviceCard.qml:202, dms-plugins/DankKDEConnect/components/KDEConnectDetailContent.qml:207, Modules/Lock/LockScreenContent.qml:369, Modules/Lock/LockScreenContent.qml:489, Modules/Lock/LockScreenContent.qml:585, Modules/Settings/PluginBrowser.qml:495, Modules/Settings/PrinterTab.qml:1285, Modules/Settings/ThemeBrowser.qml:526, Modules/Settings/NetworkTab.qml:168, Modules/Settings/NetworkTab.qml:210, Modules/Settings/NetworkTab.qml:416, Modules/Settings/NetworkTab.qml:437, Modules/Settings/NetworkTab.qml:585, Modules/Settings/NetworkTab.qml:728, Modules/Settings/NetworkTab.qml:1148, Modules/ControlCenter/Details/BatteryDetail.qml:183, Modules/ControlCenter/Components/HeaderPane.qml:63", + "context": "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status", + "reference": "Common/Theme.qml:1111, Services/BatteryService.qml:148, dms-plugins/DankKDEConnect/components/DeviceCard.qml:202, dms-plugins/DankKDEConnect/components/KDEConnectDetailContent.qml:207, Modules/Lock/LockScreenContent.qml:369, Modules/Lock/LockScreenContent.qml:489, Modules/Lock/LockScreenContent.qml:585, Modules/Settings/PluginBrowser.qml:495, Modules/Settings/PrinterTab.qml:1285, Modules/Settings/ThemeBrowser.qml:526, Modules/Settings/NetworkTab.qml:168, Modules/Settings/NetworkTab.qml:210, Modules/Settings/NetworkTab.qml:416, Modules/Settings/NetworkTab.qml:437, Modules/Settings/NetworkTab.qml:585, Modules/Settings/NetworkTab.qml:728, Modules/Settings/NetworkTab.qml:1148, Modules/ControlCenter/Details/BatteryDetail.qml:183, Modules/ControlCenter/Components/HeaderPane.qml:63, Modules/ControlCenter/Components/DragDropGrid.qml:309, Modules/ControlCenter/Components/DragDropGrid.qml:609", "comment": "" }, { @@ -9404,7 +9806,7 @@ { "term": "Urgent Color", "context": "Urgent Color", - "reference": "Modules/Settings/WorkspacesTab.qml:282", + "reference": "Modules/Settings/WorkspacesTab.qml:293", "comment": "" }, { @@ -9440,13 +9842,13 @@ { "term": "Use Imperial Units", "context": "Use Imperial Units", - "reference": "Modules/Settings/TimeWeatherTab.qml:371", + "reference": "Modules/Settings/TimeWeatherTab.qml:369", "comment": "" }, { "term": "Use Imperial units (°F, mph, inHg) instead of Metric (°C, km/h, hPa)", "context": "Use Imperial units (°F, mph, inHg) instead of Metric (°C, km/h, hPa)", - "reference": "Modules/Settings/TimeWeatherTab.qml:372", + "reference": "Modules/Settings/TimeWeatherTab.qml:370", "comment": "" }, { @@ -9464,7 +9866,7 @@ { "term": "Use an external wallpaper manager like swww, hyprpaper, or swaybg.", "context": "wallpaper settings disable description", - "reference": "Modules/Settings/WallpaperTab.qml:1207", + "reference": "Modules/Settings/WallpaperTab.qml:1231", "comment": "" }, { @@ -9476,13 +9878,13 @@ { "term": "Use custom border size", "context": "Use custom border size", - "reference": "Modules/Settings/ThemeColorsTab.qml:1695, Modules/Settings/ThemeColorsTab.qml:1798", + "reference": "Modules/Settings/ThemeColorsTab.qml:1727, Modules/Settings/ThemeColorsTab.qml:1830", "comment": "" }, { "term": "Use custom border/focus-ring width", "context": "Use custom border/focus-ring width", - "reference": "Modules/Settings/ThemeColorsTab.qml:1592", + "reference": "Modules/Settings/ThemeColorsTab.qml:1624", "comment": "" }, { @@ -9494,19 +9896,19 @@ { "term": "Use custom gaps instead of bar spacing", "context": "Use custom gaps instead of bar spacing", - "reference": "Modules/Settings/ThemeColorsTab.qml:1529, Modules/Settings/ThemeColorsTab.qml:1632, Modules/Settings/ThemeColorsTab.qml:1735", + "reference": "Modules/Settings/ThemeColorsTab.qml:1561, Modules/Settings/ThemeColorsTab.qml:1664, Modules/Settings/ThemeColorsTab.qml:1767", "comment": "" }, { "term": "Use custom window radius instead of theme radius", "context": "Use custom window radius instead of theme radius", - "reference": "Modules/Settings/ThemeColorsTab.qml:1561, Modules/Settings/ThemeColorsTab.qml:1767", + "reference": "Modules/Settings/ThemeColorsTab.qml:1593, Modules/Settings/ThemeColorsTab.qml:1799", "comment": "" }, { "term": "Use custom window rounding instead of theme radius", "context": "Use custom window rounding instead of theme radius", - "reference": "Modules/Settings/ThemeColorsTab.qml:1664", + "reference": "Modules/Settings/ThemeColorsTab.qml:1696", "comment": "" }, { @@ -9524,13 +9926,13 @@ { "term": "Use meters per second instead of km/h for wind speed", "context": "Use meters per second instead of km/h for wind speed", - "reference": "Modules/Settings/TimeWeatherTab.qml:390", + "reference": "Modules/Settings/TimeWeatherTab.qml:388", "comment": "" }, { "term": "Use smaller notification cards", "context": "Use smaller notification cards", - "reference": "Modules/Settings/NotificationsTab.qml:152", + "reference": "Modules/Settings/NotificationsTab.qml:146", "comment": "" }, { @@ -9707,10 +10109,16 @@ "reference": "Modules/DankBar/Popouts/DWLLayoutPopout.qml:57", "comment": "" }, + { + "term": "Vibrant", + "context": "matugen color scheme option", + "reference": "Common/Theme.qml:459", + "comment": "" + }, { "term": "Vibrant palette with playful saturation.", "context": "Vibrant palette with playful saturation.", - "reference": "Common/Theme.qml:478", + "reference": "Common/Theme.qml:468", "comment": "" }, { @@ -9722,7 +10130,7 @@ { "term": "Visibility", "context": "Visibility", - "reference": "Modules/DankDash/WeatherForecastCard.qml:99, Modules/Settings/TimeWeatherTab.qml:1076, Modules/Settings/DankBarTab.qml:692", + "reference": "Modules/DankDash/WeatherForecastCard.qml:99, Modules/Settings/TimeWeatherTab.qml:1074, Modules/Settings/DankBarTab.qml:692", "comment": "" }, { @@ -9734,13 +10142,13 @@ { "term": "Visual effect used when wallpaper changes", "context": "Visual effect used when wallpaper changes", - "reference": "Modules/Settings/WallpaperTab.qml:1136", + "reference": "Modules/Settings/WallpaperTab.qml:1134", "comment": "" }, { "term": "Volume", "context": "Volume", - "reference": "Modules/Settings/WidgetsTabSection.qml:814, Modules/Settings/OSDTab.qml:99", + "reference": "Modules/Settings/WidgetsTabSection.qml:814, Modules/Settings/OSDTab.qml:90", "comment": "" }, { @@ -9782,7 +10190,7 @@ { "term": "Wallpaper Monitor", "context": "Wallpaper Monitor", - "reference": "Modules/Settings/WallpaperTab.qml:801", + "reference": "Modules/Settings/WallpaperTab.qml:799", "comment": "" }, { @@ -9830,7 +10238,7 @@ { "term": "Weather", "context": "Weather", - "reference": "Widgets/KeybindItem.qml:1053, Widgets/KeybindItem.qml:1058, Widgets/KeybindItem.qml:1070, Modules/DankDash/DankDashPopout.qml:287, Modules/Settings/TimeWeatherTab.qml:341", + "reference": "Widgets/KeybindItem.qml:1053, Widgets/KeybindItem.qml:1058, Widgets/KeybindItem.qml:1070, Modules/DankDash/DankDashPopout.qml:287, Modules/Settings/TimeWeatherTab.qml:339", "comment": "" }, { @@ -9911,6 +10319,12 @@ "reference": "Modules/ControlCenter/Details/NetworkDetail.qml:220", "comment": "" }, + { + "term": "WiFi off", + "context": "network status", + "reference": "Modules/ControlCenter/Components/DragDropGrid.qml:292", + "comment": "" + }, { "term": "Wide (BT2020)", "context": "Wide (BT2020)", @@ -9980,25 +10394,25 @@ { "term": "Width of window border (borderpx)", "context": "Width of window border (borderpx)", - "reference": "Modules/Settings/ThemeColorsTab.qml:1814", + "reference": "Modules/Settings/ThemeColorsTab.qml:1846", "comment": "" }, { "term": "Width of window border (general.border_size)", "context": "Width of window border (general.border_size)", - "reference": "Modules/Settings/ThemeColorsTab.qml:1711", + "reference": "Modules/Settings/ThemeColorsTab.qml:1743", "comment": "" }, { "term": "Width of window border and focus ring", "context": "Width of window border and focus ring", - "reference": "Modules/Settings/ThemeColorsTab.qml:1608", + "reference": "Modules/Settings/ThemeColorsTab.qml:1640", "comment": "" }, { "term": "Wind", "context": "Wind", - "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeather.qml:425, Modules/Settings/TimeWeatherTab.qml:925", + "reference": "dms-plugins/DankDesktopWeather/DankDesktopWeather.qml:425, Modules/Settings/TimeWeatherTab.qml:923", "comment": "" }, { @@ -10010,19 +10424,19 @@ { "term": "Wind Speed in m/s", "context": "Wind Speed in m/s", - "reference": "Modules/Settings/TimeWeatherTab.qml:389", + "reference": "Modules/Settings/TimeWeatherTab.qml:387", "comment": "" }, { "term": "Window Corner Radius", "context": "Window Corner Radius", - "reference": "Modules/Settings/ThemeColorsTab.qml:1576, Modules/Settings/ThemeColorsTab.qml:1782", + "reference": "Modules/Settings/ThemeColorsTab.qml:1608, Modules/Settings/ThemeColorsTab.qml:1814", "comment": "" }, { "term": "Window Gaps", "context": "Window Gaps", - "reference": "Modules/Settings/ThemeColorsTab.qml:1545, Modules/Settings/ThemeColorsTab.qml:1648, Modules/Settings/ThemeColorsTab.qml:1751", + "reference": "Modules/Settings/ThemeColorsTab.qml:1577, Modules/Settings/ThemeColorsTab.qml:1680, Modules/Settings/ThemeColorsTab.qml:1783", "comment": "" }, { @@ -10034,7 +10448,13 @@ { "term": "Window Rounding", "context": "Window Rounding", - "reference": "Modules/Settings/ThemeColorsTab.qml:1679", + "reference": "Modules/Settings/ThemeColorsTab.qml:1711", + "comment": "" + }, + { + "term": "Wipe", + "context": "wallpaper transition option", + "reference": "Modules/Settings/WallpaperTab.qml:1145", "comment": "" }, { @@ -10046,7 +10466,7 @@ { "term": "Workspace Appearance", "context": "Workspace Appearance", - "reference": "Modules/Settings/WorkspacesTab.qml:161", + "reference": "Modules/Settings/WorkspacesTab.qml:172", "comment": "" }, { @@ -10172,7 +10592,7 @@ { "term": "days", "context": "days", - "reference": "Modules/Settings/NotificationsTab.qml:303, Modules/Settings/ClipboardTab.qml:179", + "reference": "Modules/Settings/NotificationsTab.qml:297, Modules/Settings/ClipboardTab.qml:179", "comment": "" }, { @@ -10196,7 +10616,7 @@ { "term": "dms/cursor config exists but is not included. Cursor settings won't apply.", "context": "dms/cursor config exists but is not included. Cursor settings won't apply.", - "reference": "Modules/Settings/ThemeColorsTab.qml:1922", + "reference": "Modules/Settings/ThemeColorsTab.qml:1954", "comment": "" }, { @@ -10334,25 +10754,25 @@ { "term": "• M - Month (1-12)", "context": "• M - Month (1-12)", - "reference": "Modules/Settings/TimeWeatherTab.qml:297", + "reference": "Modules/Settings/TimeWeatherTab.qml:295", "comment": "" }, { "term": "• MM - Month (01-12)", "context": "• MM - Month (01-12)", - "reference": "Modules/Settings/TimeWeatherTab.qml:308", + "reference": "Modules/Settings/TimeWeatherTab.qml:306", "comment": "" }, { "term": "• MMM - Month (Jan)", "context": "• MMM - Month (Jan)", - "reference": "Modules/Settings/TimeWeatherTab.qml:313", + "reference": "Modules/Settings/TimeWeatherTab.qml:311", "comment": "" }, { "term": "• MMMM - Month (January)", "context": "• MMMM - Month (January)", - "reference": "Modules/Settings/TimeWeatherTab.qml:318", + "reference": "Modules/Settings/TimeWeatherTab.qml:316", "comment": "" }, { @@ -10370,37 +10790,37 @@ { "term": "• d - Day (1-31)", "context": "• d - Day (1-31)", - "reference": "Modules/Settings/TimeWeatherTab.qml:277", + "reference": "Modules/Settings/TimeWeatherTab.qml:275", "comment": "" }, { "term": "• dd - Day (01-31)", "context": "• dd - Day (01-31)", - "reference": "Modules/Settings/TimeWeatherTab.qml:282", + "reference": "Modules/Settings/TimeWeatherTab.qml:280", "comment": "" }, { "term": "• ddd - Day name (Mon)", "context": "• ddd - Day name (Mon)", - "reference": "Modules/Settings/TimeWeatherTab.qml:287", + "reference": "Modules/Settings/TimeWeatherTab.qml:285", "comment": "" }, { "term": "• dddd - Day name (Monday)", "context": "• dddd - Day name (Monday)", - "reference": "Modules/Settings/TimeWeatherTab.qml:292", + "reference": "Modules/Settings/TimeWeatherTab.qml:290", "comment": "" }, { "term": "• yy - Year (24)", "context": "• yy - Year (24)", - "reference": "Modules/Settings/TimeWeatherTab.qml:323", + "reference": "Modules/Settings/TimeWeatherTab.qml:321", "comment": "" }, { "term": "• yyyy - Year (2024)", "context": "• yyyy - Year (2024)", - "reference": "Modules/Settings/TimeWeatherTab.qml:328", + "reference": "Modules/Settings/TimeWeatherTab.qml:326", "comment": "" } ] diff --git a/quickshell/translations/poexports/es.json b/quickshell/translations/poexports/es.json index 1d49edd3..1d0e8fd1 100644 --- a/quickshell/translations/poexports/es.json +++ b/quickshell/translations/poexports/es.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "Centro de control" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "Controlar la reproducción en curso" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "Enfriamiento" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "Copiado al portapapeles" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "apps" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "por %1" }, "bar shadow settings card": { "Shadow": "" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "Tema relajante en tonos pastel basado en Catppuccin" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "Tema actual: %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "Seleccionar fondo de pantalla" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "dias" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "La configuración dms/outputs existe pero no está incluida en la configuración del compositor. Los cambios de visualización no persistirán." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "Colores dinámicos desde el fondo de pantalla" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl no disponible - integración requiere conexión al socket DMS" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matguen no encontrado - instala el paquete matugen para la tematización dinámica" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Matugen perdido" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "minutos" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "Ningún archivo de tema personalizado" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "Buscar complementos..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "Tema de color del registro DMS" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "Instalar tema de colores desde el repositorio de temas de DMS" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "¿Instalar el tema '%1' desde el registro DMS?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "Buscar temas..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "Desinstalar" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "Error en el fondo de pantalla" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "Fallo en el procesamiento del fondo de pantalla" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "Manejo externo del fondo de pantalla" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype no disponible - instala wtype para soporte de pegado" }, diff --git a/quickshell/translations/poexports/fa.json b/quickshell/translations/poexports/fa.json index a9eed330..dd507413 100644 --- a/quickshell/translations/poexports/fa.json +++ b/quickshell/translations/poexports/fa.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "مرکز کنترل" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "کنترل رسانه درحال پخش" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "زمان باقی مانده" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "در کلیپ‌بورد کپی شد" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "برنامه" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "توسط %1" }, "bar shadow settings card": { "Shadow": "" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "تم پاستلی آرامش‌بخش بر اساس Catppuccin" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "تم کنونی: %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "انتخاب تصویر پس‌زمینه" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "روز" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "پیکربندی dms/outputs وجود دارد اما در پیکربندی کامپوزیتور شما گنجانده نشده است. تغییرات نمایشگر پایدار نخواهند بود." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "رنگ‌های پویا از تصویر پس‌زمینه" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl در دسترس نیست - یکپارچه‌سازی قفل به اتصال سوکت DMS نیاز دارد" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matugen یافت نشد - بسته matugen را برای تم پویا نصب کنید" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Matugen یافت نشد" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "دقیقه" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "هیچ تم سفارشی یافت نشد" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "جستجوی افزونه‌ها..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "رنگ تم از مخزن DMS" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "نصب تم رنگ‌ها از مخزن تم DMS" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "آیا می‌خواهید تم '%1' را از مخزن DMS نصب کنید؟" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "جستجوی تم‌ها..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "حذف" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "خطای تصویر پس‌زمینه" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "پردازش تصویر پس‌زمینه ناموفق بود" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "مدیریت تصویر پس‌زمینه خارجی" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype در دسترس نیست - wtype را برای پشتیبانی از الصاق نصب کنید" }, diff --git a/quickshell/translations/poexports/fr.json b/quickshell/translations/poexports/fr.json index a72c0339..8bc288d3 100644 --- a/quickshell/translations/poexports/fr.json +++ b/quickshell/translations/poexports/fr.json @@ -282,7 +282,7 @@ "Anonymous Identity (optional)": "Identité anonyme (facultatif)" }, "App Customizations": { - "App Customizations": "" + "App Customizations": "Personnalisation d'appli" }, "App ID Substitutions": { "App ID Substitutions": "Substitutions d’identifiant d’application" @@ -309,10 +309,10 @@ "Apply warm color temperature to reduce eye strain. Use automation settings below to control when it activates.": "Appliquer une température de couleur chaude pour réduire la fatigue visuelle. Utilisez les paramètres d’automatisation ci-dessous pour définir son activation." }, "Apps": { - "Apps": "" + "Apps": "Applis" }, "Apps Dock": { - "Apps Dock": "" + "Apps Dock": "Dock d'applis" }, "Apps Icon": { "Apps Icon": "Icône des applis" @@ -321,7 +321,7 @@ "Apps are ordered by usage frequency, then last used, then alphabetically.": "Les applications sont classées par fréquence d’utilisation, puis par dernière utilisation, puis par ordre alphabétique." }, "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": { - "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": "" + "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": "Les applis avec un nom, une icône ou des options de lancement personnalisées. Faites un clic droit sur une appli et sélectionnez 'Editer appli' pour customiser." }, "Arrange displays and configure resolution, refresh rate, and VRR": { "Arrange displays and configure resolution, refresh rate, and VRR": "Organiser les écrans et configurer la résolution, la fréquence de rafraîchissement et le VRR." @@ -423,7 +423,7 @@ "Autoconnect enabled": "Connexion automatique activée" }, "Automatic Color Mode": { - "Automatic Color Mode": "" + "Automatic Color Mode": "Mode de couleurs automatique" }, "Automatic Control": { "Automatic Control": "Contrôle automatique" @@ -450,7 +450,7 @@ "Automatically lock the screen when the system prepares to suspend": "Verrouiller automatiquement l’écran lorsque le système se prépare à se mettre en veille" }, "Automation": { - "Automation": "" + "Automation": "Automatisation" }, "Available": { "Available": "Disponible" @@ -597,7 +597,7 @@ "Browse Plugins": "Parcourir les plugins" }, "Browse or search plugins": { - "Browse or search plugins": "" + "Browse or search plugins": "Chercher des plugins" }, "CPU": { "CPU": "CPU" @@ -630,10 +630,10 @@ "CUPS not available": "CUPS non disponible" }, "Calc": { - "Calc": "" + "Calc": "Calc" }, "Calculator": { - "Calculator": "" + "Calculator": "Calculatrice" }, "Camera": { "Camera": "Caméra" @@ -687,7 +687,7 @@ "Choose Color": "Choisir une couleur" }, "Choose Dock Launcher Logo Color": { - "Choose Dock Launcher Logo Color": "" + "Choose Dock Launcher Logo Color": "Choisir la couleur du logo du Lanceur dans le Dock" }, "Choose Launcher Logo Color": { "Choose Launcher Logo Color": "Choisir la couleur du logo du lanceur" @@ -726,7 +726,7 @@ "Choose which monitor shows the lock screen interface. Other monitors will display a solid color for OLED burn-in protection.": "Choisir l’écran qui affiche l’interface de verrouillage. Les autres écrans afficheront une couleur unie pour éviter le marquage OLED." }, "Chroma Style": { - "Chroma Style": "" + "Chroma Style": "Style chromatique" }, "Cipher": { "Cipher": "Chiffrement" @@ -804,13 +804,13 @@ "Close": "Fermer" }, "Close All Windows": { - "Close All Windows": "" + "Close All Windows": "Fermer toutes les fenêtres" }, "Close Overview on Launch": { "Close Overview on Launch": "Fermer la vue d’ensemble au lancement" }, "Close Window": { - "Close Window": "" + "Close Window": "Fermer la fenêtre" }, "Color": { "Color": "Couleur" @@ -843,10 +843,10 @@ "Color temperature for night mode": "Température de couleur pour le mode nuit" }, "Color theme for syntax highlighting.": { - "Color theme for syntax highlighting.": "" + "Color theme for syntax highlighting.": "Thème de couleur pour le surlignage." }, "Color theme for syntax highlighting. %1 themes available.": { - "Color theme for syntax highlighting. %1 themes available.": "" + "Color theme for syntax highlighting. %1 themes available.": "Thème de couleur pour le surlignage. %1 thèmes disponibles." }, "Colorful mix of bright contrasting accents.": { "Colorful mix of bright contrasting accents.": "Mélange coloré avec des accents lumineux et contrastés." @@ -858,7 +858,7 @@ "Command": "Commande" }, "Commands": { - "Commands": "" + "Commands": "Commandes" }, "Communication": { "Communication": "Communication" @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "Centre de contrôle" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "Contrôle le média en lecture" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "Temps de recharge" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "Copié dans le presse-papiers" }, @@ -978,7 +990,7 @@ "Copy Full Command": "Copier commande complète" }, "Copy HTML": { - "Copy HTML": "" + "Copy HTML": "Copier HTML" }, "Copy Name": { "Copy Name": "Copier nom" @@ -990,13 +1002,13 @@ "Copy Process Name": "Copier le nom du processus" }, "Copy Text": { - "Copy Text": "" + "Copy Text": "Copier texte" }, "Copy URL": { - "Copy URL": "" + "Copy URL": "Copier URL" }, "Copy path": { - "Copy path": "" + "Copy path": "Copier chemin" }, "Corner Radius": { "Corner Radius": "Rayon des coins" @@ -1407,7 +1419,7 @@ "Edge Spacing": "Espacement des bords" }, "Edit App": { - "Edit App": "" + "Edit App": "Editer appli" }, "Education": { "Education": "Éducation" @@ -1497,7 +1509,7 @@ "Enter PIN for ": "Saisir le code PIN pour " }, "Enter a new name for this workspace": { - "Enter a new name for this workspace": "" + "Enter a new name for this workspace": "Entrer un nom pour cet espace de travail" }, "Enter a search query": { "Enter a search query": "Saisir une requête de recherche" @@ -1539,7 +1551,7 @@ "Entry unpinned": "Entrée désépinglée" }, "Environment Variables": { - "Environment Variables": "" + "Environment Variables": "Variables d'environnement" }, "Error": { "Error": "Erreur" @@ -1557,7 +1569,7 @@ "Exponential": "Exponentiel" }, "Extra Arguments": { - "Extra Arguments": "" + "Extra Arguments": "Arguments supplémentaires" }, "F1/I: Toggle • F10: Help": { "F1/I: Toggle • F10: Help": "F1/I : Basculer • F10 : Aide" @@ -1950,7 +1962,7 @@ "HSV": "HSV" }, "HTML copied to clipboard": { - "HTML copied to clipboard": "" + "HTML copied to clipboard": "HTML copié dans le presse-papier" }, "Health": { "Health": "Santé" @@ -1971,7 +1983,7 @@ "Hidden": "Masqué" }, "Hidden Apps": { - "Hidden Apps": "" + "Hidden Apps": "Applis masquées" }, "Hidden Network": { "Hidden Network": "Réseau masqué" @@ -1980,7 +1992,7 @@ "Hidden apps won't appear in the launcher. Right-click an app and select 'Hide App' to hide it.": "" }, "Hide App": { - "Hide App": "" + "Hide App": "Masquer l'appli" }, "Hide Delay": { "Hide Delay": "Délai de masquage" @@ -2064,7 +2076,7 @@ "IP Address:": "Adresse IP :" }, "Icon": { - "Icon": "" + "Icon": "Icône" }, "Icon Size": { "Icon Size": "Taille d'icônes" @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "Connecté" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "Démarrer kdeconnectd pour utiliser ce plugin" }, @@ -2213,17 +2228,17 @@ "Failed to reject pairing": "Échec du rejet de l'appairage", "Failed to ring device": "Échec de la sonnerie sur l'appareil", "Failed to send clipboard": "Échec de l'envoi du presse-papier", - "Failed to send file": "", + "Failed to send file": "Échec de l'envoi du fichier", "Failed to send ping": "Échec de l'envoi du ping", "Failed to share": "Échec du partage", "Pairing failed": "Échec de l'appairage", "Unpair failed": "Échec de la déconnexion" }, "KDE Connect file browser title": { - "Select File to Send": "" + "Select File to Send": "Sélectionner un fichier à envoyer" }, "KDE Connect file send": { - "Sending": "" + "Sending": "Envoi" }, "KDE Connect file share notification": { "File received from": "Fichier reçu de" @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "Aucun appareil" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "Non appairé" }, @@ -2291,7 +2309,7 @@ "Ring": "Faire sonner" }, "KDE Connect send file button": { - "Send File": "" + "Send File": "Envoyer un fichier" }, "KDE Connect service unavailable message": { "KDE Connect unavailable": "KDE Connect indisponible" @@ -2300,13 +2318,13 @@ "Share URL": "Partager l'URL" }, "KDE Connect share button": { - "Share Text": "" + "Share Text": "Partager le texte" }, "KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": { "Share": "Partager" }, "KDE Connect share dialog title | KDE Connect share tooltip": { - "Share": "" + "Share": "Partager" }, "KDE Connect share input placeholder": { "Enter URL or text to share": "Entrer l'URL ou le texte à partager" @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "Indisponible" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "Inconnu" }, @@ -2381,10 +2402,10 @@ "LED device": "Périphérique LED" }, "Large": { - "Large": "" + "Large": "Large" }, "Largest": { - "Largest": "" + "Largest": "Le plus large" }, "Last launched %1": { "Last launched %1": "Dernier lancement %1" @@ -2417,7 +2438,7 @@ "Launcher": "Lanceur" }, "Launcher Button": { - "Launcher Button": "" + "Launcher Button": "Bouton du Lanceur" }, "Launcher Button Logo": { "Launcher Button Logo": "Icône du bouton du lanceur" @@ -2459,7 +2480,7 @@ "Loading plugins...": "Chargement des plugins..." }, "Loading trending...": { - "Loading trending...": "" + "Loading trending...": "Chargement des tendances..." }, "Loading...": { "Loading...": "Chargement..." @@ -2840,7 +2861,7 @@ "No app customizations.": "" }, "No apps found": { - "No apps found": "" + "No apps found": "Aucune appli trouvée" }, "No battery": { "No battery": "Aucune batterie" @@ -2873,7 +2894,7 @@ "No files found": "Aucun fichier trouvé" }, "No hidden apps.": { - "No hidden apps.": "" + "No hidden apps.": "Aucune appli masquée." }, "No items added yet": { "No items added yet": "Aucun élément ajouté pour le moment" @@ -2882,13 +2903,13 @@ "No keybinds found": "Aucun raccourci clavier trouvé" }, "No launcher plugins installed.": { - "No launcher plugins installed.": "" + "No launcher plugins installed.": "Aucun plugins de Lanceur installé." }, "No matches": { "No matches": "Aucune correspondance" }, "No plugin results": { - "No plugin results": "" + "No plugin results": "Aucun résultat pour les plugins" }, "No plugins found": { "No plugins found": "Aucun plugin trouvé" @@ -2909,7 +2930,7 @@ "No recent clipboard entries found": "Aucune entrée récente trouvée dans le presse-papier" }, "No results found": { - "No results found": "" + "No results found": "Aucun résultat trouvé" }, "No saved clipboard entries": { "No saved clipboard entries": "Aucune entrée du presse-papier sauvegardée" @@ -3029,10 +3050,10 @@ "Open Notepad File": "Ouvrir un fichier du bloc-notes" }, "Open folder": { - "Open folder": "" + "Open folder": "Ouvrir dossier" }, "Open in Browser": { - "Open in Browser": "" + "Open in Browser": "Ouvrir dans le navigateur" }, "Open search bar to find text": { "Open search bar to find text": "Ouvrir la barre de recherche pour trouver du texte" @@ -3209,7 +3230,7 @@ "Plugin Management": "Gestion des plugins" }, "Plugin Visibility": { - "Plugin Visibility": "" + "Plugin Visibility": "Visibilité du plugin" }, "Plugin is disabled - enable in Plugins settings to use": { "Plugin is disabled - enable in Plugins settings to use": "Plugin désactivé – activez-le dans les paramètres des plugins" @@ -3290,7 +3311,7 @@ "Prevent screen timeout": "Empêcher la mise en veille de l’écran" }, "Preview": { - "Preview": "" + "Preview": "Aperçu" }, "Primary": { "Primary": "Principal" @@ -3407,10 +3428,10 @@ "Remove gaps and border when windows are maximized": "Supprimer les marges et bordures lorsque les fenêtres sont maximisées" }, "Rename": { - "Rename": "" + "Rename": "Renommer" }, "Rename Workspace": { - "Rename Workspace": "" + "Rename Workspace": "Renommer l'espace de travail" }, "Repeat": { "Repeat": "Répéter" @@ -3590,10 +3611,10 @@ "Scrolling": "Défilement" }, "Search App Actions": { - "Search App Actions": "" + "Search App Actions": "Chercher des actions d'appli" }, "Search Options": { - "Search Options": "" + "Search Options": "Chercher des options" }, "Search by key combo, description, or action name.\\n\\nDefault action copies the keybind to clipboard.\\nRight-click or press Right Arrow to pin frequently used keybinds - they'll appear at the top when not searching.": { "Search by key combo, description, or action name.\\n\\nDefault action copies the keybind to clipboard.\\nRight-click or press Right Arrow to pin frequently used keybinds - they'll appear at the top when not searching.": "Rechercher par combinaison de touches, description ou nom de l’action.\\n\\nL’action par défaut copie le raccourci dans le presse-papiers.\\nClic droit ou flèche droite pour épingler les raccourcis fréquemment utilisés — ils apparaîtront en haut lorsqu’il n'y a pas de recherche." @@ -3635,7 +3656,7 @@ "Security": "Sécurité" }, "Select": { - "Select": "" + "Select": "Sélectionner" }, "Select Application": { "Select Application": "Sélectionner une application" @@ -3725,7 +3746,7 @@ "Shift+Del: Clear All • Esc: Close": "Maj+Suppr : Tout effacer • Échap : Fermer" }, "Shift+Enter to paste": { - "Shift+Enter to paste": "" + "Shift+Enter to paste": "Shift+Entrer pour coller" }, "Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": { "Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": "Shift+Entrée : Coller • Shift+Suppr : Tout effacer • Échap : Fermer" @@ -3785,7 +3806,7 @@ "Show Humidity": "Afficher l’humidité" }, "Show Launcher Button": { - "Show Launcher Button": "" + "Show Launcher Button": "Montrer le bouton du Lanceur" }, "Show Line Numbers": { "Show Line Numbers": "Afficher les numéros de ligne" @@ -3965,7 +3986,7 @@ "Sizing": "Redimensionnement" }, "Small": { - "Small": "" + "Small": "Petit" }, "Smartcard Authentication": { "Smartcard Authentication": "Authentification par carte à puce" @@ -4289,10 +4310,10 @@ "Transparency": "Transparence" }, "Trending GIFs": { - "Trending GIFs": "" + "Trending GIFs": "GIFs populaires" }, "Trending Stickers": { - "Trending Stickers": "" + "Trending Stickers": "Stickers populaires" }, "Trigger": { "Trigger": "Déclencheur" @@ -4304,7 +4325,7 @@ "Trigger: %1": "" }, "Try a different search": { - "Try a different search": "" + "Try a different search": "Essayez une recherche différente" }, "Turn off all displays immediately when the lock screen activates": { "Turn off all displays immediately when the lock screen activates": "Éteindre les écrans immédiatement lorsque le verrouillage d'écran s'active" @@ -4316,13 +4337,13 @@ "Type": "Type" }, "Type at least 2 characters": { - "Type at least 2 characters": "" + "Type at least 2 characters": "Tapez au moins 2 caractères" }, "Type this prefix to search keybinds": { "Type this prefix to search keybinds": "Tapez ce préfixe pour rechercher des raccourcis" }, "Type to search": { - "Type to search": "" + "Type to search": "Taper pour chercher" }, "Type to search apps": { "Type to search apps": "" @@ -4687,7 +4708,7 @@ "Wind Speed": "Vitesse du vent " }, "Wind Speed in m/s": { - "Wind Speed in m/s": "" + "Wind Speed in m/s": "Vitesse du vent en m/s" }, "Window Corner Radius": { "Window Corner Radius": "Rayon des coins de la fenêtre" @@ -4723,7 +4744,7 @@ "Workspace Switcher": "Sélecteur d’espaces de travail" }, "Workspace name": { - "Workspace name": "" + "Workspace name": "Nom de l'espace de travail" }, "Workspaces": { "Workspaces": "Espaces de travail" @@ -4753,22 +4774,49 @@ "You have unsaved changes. Save before opening a file?": "Vous avez des modifications non enregistrées. Enregistrer avant d’ouvrir un fichier ?" }, "actions": { - "actions": "" + "actions": "actions" }, "apps": { "apps": "applications" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "par %1" }, "bar shadow settings card": { "Shadow": "Ombre" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { - "Color": "" + "Color": "Couleur" }, "border thickness": { - "Thickness": "" + "Thickness": "Épaisseur" }, "browse themes button | theme browser header | theme browser window title": { "Browse Themes": "Parcourir les thèmes" @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "Thème pastel apaisant basé sur Catppuccin" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "Thème actuel : %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "Sélectionner un fond d’écran" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "jours" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "La configuration dms/outputs existe mais n’est pas incluse dans votre configuration du compositeur. Les changements d’affichage ne persisteront pas." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "Couleurs dynamiques à partir du fond d’écran" }, @@ -5028,10 +5110,10 @@ "Installed": "Installé" }, "launcher appearance settings": { - "Appearance": "" + "Appearance": "Apparence" }, "launcher border option": { - "Border": "" + "Border": "Bordure" }, "launcher footer description": { "Show mode tabs and keyboard hints at the bottom.": "" @@ -5040,7 +5122,7 @@ "Show Footer": "" }, "launcher size option": { - "Size": "" + "Size": "Taille" }, "leave empty for default": { "leave empty for default": "laisser vide pour la valeur par défaut" @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl non disponible - l'intégration de verrouillage nécessite une connexion au socket DMS" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matugen introuvable – installez le paquet matugen pour la thématisation dynamique" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Matugen manquant" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "minutes" }, @@ -5083,7 +5181,16 @@ "ms": "ms" }, "nav": { - "nav": "" + "nav": "nav" + }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" }, "no custom theme file status": { "No custom theme file": "Aucun fichier de thème personnalisé" @@ -5142,10 +5249,10 @@ "official": "officiel" }, "open": { - "open": "" + "open": "ouvrir" }, "outline color": { - "Outline": "" + "Outline": "Contour" }, "plugin browser description": { "Install plugins from the DMS plugin registry": "Installer des plugins depuis le registre de plugins DMS" @@ -5162,8 +5269,19 @@ "plugin search placeholder": { "Search plugins...": "Rechercher des plugins…" }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { - "Primary": "" + "Primary": "Primaire" }, "process count label in footer": { "Processes:": "Processus :" @@ -5183,8 +5301,18 @@ "registry theme description": { "Color theme from DMS registry": "Thème de couleurs provenant du registre DMS" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { - "Secondary": "" + "Secondary": "Secondaire" }, "seconds": { "seconds": "secondes" @@ -5200,7 +5328,7 @@ "Text": "Texte" }, "shadow color option | text color": { - "Text": "" + "Text": "Texte" }, "shadow intensity slider": { "Intensity": "Intensité" @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "Installer des thèmes de couleurs depuis le registre de thèmes DMS" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "Installer le thème « %1 » depuis le registre DMS ?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "Rechercher des thèmes…" }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "Désinstaller" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "Erreur de fond d’écran" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "Échec du traitement du fond d’écran" }, @@ -5281,8 +5428,23 @@ "wallpaper settings external management": { "External Wallpaper Management": "Gestion externe des fonds d’écran" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { - "Feels Like %1°": "" + "Feels Like %1°": "Ressenti %1°C" + }, + "widget style option": { + "Colorful": "", + "Default": "" }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype non disponible - installez wtype pour le support du collage" diff --git a/quickshell/translations/poexports/he.json b/quickshell/translations/poexports/he.json index 8b1004c4..400a8eb7 100644 --- a/quickshell/translations/poexports/he.json +++ b/quickshell/translations/poexports/he.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "מרכז הבקרה" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "שלוט/שלטי במדיה שמתנגנת כעת" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "זמן המתנה" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "הועתק ללוח" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "אפליקציות" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "מאת %1" }, "bar shadow settings card": { "Shadow": "צל" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "ערכת נושא מרגיעה עם צבעי פסטל שמבוססת על Catppuccin" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "ערכת נושא נוכחית: %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "בחר/י רקע" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "ימים" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "קובץ ההגדרה dms/outputs קיים אך אינו כלול בהגדרות הקומפוזיטור שלך. שינויי תצוגה לא יישמרו." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "צבעים דינמיים מתמונת הרקע" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl אינו זמין, אינטגרציה של הנעילה דורשת חיבור socket לDMS" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matugen לא נמצא - התקן/י את החבילה של matugen כדי לאפשר עיצוב דינמי" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Matugen חסר" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "דקות" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "אין קובץ ערכת נושא מותאמת אישית" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "חפש/י תוספים..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "ערכת צבעים מהמאגר של DMS" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "התקן/י ערכות צבעים ממאגר ערכות הנושא של DMS" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "להתקין את ערכת הנושא '%1' מהמאגר של DMS?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "חפש/י ערכות נושא..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "הסר/י התקנה" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "שגיאת תמונת רקע" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "עיבוד תמונת הרקע נכשל" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "ניהול רקעים חיצוני" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype אינו זמין - התקן/י את wtype כדי לאפשר תמיכה בהדבקה" }, diff --git a/quickshell/translations/poexports/hu.json b/quickshell/translations/poexports/hu.json index da42f84e..c2916bfb 100644 --- a/quickshell/translations/poexports/hu.json +++ b/quickshell/translations/poexports/hu.json @@ -282,7 +282,7 @@ "Anonymous Identity (optional)": "Névtelen azonosító (opcionális)" }, "App Customizations": { - "App Customizations": "" + "App Customizations": "Alkalmazás-testreszabások" }, "App ID Substitutions": { "App ID Substitutions": "Alkalmazásazonosító helyettesítések" @@ -309,10 +309,10 @@ "Apply warm color temperature to reduce eye strain. Use automation settings below to control when it activates.": "Meleg színhőmérséklet alkalmazása a szem megerőltetésének csökkentése érdekében. Az alábbi automatizálási beállítások segítségével szabályozhatod, hogy mikor aktiválódjon." }, "Apps": { - "Apps": "" + "Apps": "Alkalmazások" }, "Apps Dock": { - "Apps Dock": "" + "Apps Dock": "Alkalmazásdokk" }, "Apps Icon": { "Apps Icon": "Alkalmazások ikon" @@ -321,7 +321,7 @@ "Apps are ordered by usage frequency, then last used, then alphabetically.": "Az alkalmazások használati gyakoriság, majd utolsó használat, majd betűrend szerint vannak rendezve." }, "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": { - "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": "" + "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": "Egyedi megjelenített névvel, ikonnal vagy indítási beállításokkal rendelkező alkalmazások. Kattints jobb gombbal egy alkalmazásra, és válaszd az „Alkalmazás szerkesztése” lehetőséget a testreszabáshoz." }, "Arrange displays and configure resolution, refresh rate, and VRR": { "Arrange displays and configure resolution, refresh rate, and VRR": "Képernyők elrendezése és felbontás, frissítési frekvencia, valamint VRR beállítása" @@ -423,7 +423,7 @@ "Autoconnect enabled": "Automatikus csatlakozás bekapcsolva" }, "Automatic Color Mode": { - "Automatic Color Mode": "" + "Automatic Color Mode": "Automatikus színmód" }, "Automatic Control": { "Automatic Control": "Automatikus vezérlés" @@ -450,7 +450,7 @@ "Automatically lock the screen when the system prepares to suspend": "Automatikusan zárolja a képernyőt, amikor a rendszer felfüggesztésre készül" }, "Automation": { - "Automation": "" + "Automation": "Automatizálás" }, "Available": { "Available": "Elérhető" @@ -597,7 +597,7 @@ "Browse Plugins": "Bővítmények böngészése" }, "Browse or search plugins": { - "Browse or search plugins": "" + "Browse or search plugins": "Bővítmények tallózása vagy keresése" }, "CPU": { "CPU": "CPU" @@ -630,10 +630,10 @@ "CUPS not available": "CUPS nem elérhető" }, "Calc": { - "Calc": "" + "Calc": "Számológép" }, "Calculator": { - "Calculator": "" + "Calculator": "Számológép" }, "Camera": { "Camera": "Kamera" @@ -687,7 +687,7 @@ "Choose Color": "Szín választása" }, "Choose Dock Launcher Logo Color": { - "Choose Dock Launcher Logo Color": "" + "Choose Dock Launcher Logo Color": "Dokkindító-logó színének kiválasztása" }, "Choose Launcher Logo Color": { "Choose Launcher Logo Color": "Indítóikon színének kiválasztása" @@ -726,7 +726,7 @@ "Choose which monitor shows the lock screen interface. Other monitors will display a solid color for OLED burn-in protection.": "Válaszd ki, melyik monitor jelenítse meg a zárolási képernyő felületét. A többi monitor egy színt fog mutatni az OLED beégés elleni védelem miatt." }, "Chroma Style": { - "Chroma Style": "" + "Chroma Style": "Chroma stílus" }, "Cipher": { "Cipher": "Titkosítás" @@ -804,13 +804,13 @@ "Close": "Bezárás" }, "Close All Windows": { - "Close All Windows": "" + "Close All Windows": "Összes ablak bezárása" }, "Close Overview on Launch": { "Close Overview on Launch": "Áttekintés bezárása indításkor" }, "Close Window": { - "Close Window": "" + "Close Window": "Ablak bezárása" }, "Color": { "Color": "Szín" @@ -843,10 +843,10 @@ "Color temperature for night mode": "Színhőmérséklet az éjszakai módhoz" }, "Color theme for syntax highlighting.": { - "Color theme for syntax highlighting.": "" + "Color theme for syntax highlighting.": "Színtéma a szintaxiskiemeléshez." }, "Color theme for syntax highlighting. %1 themes available.": { - "Color theme for syntax highlighting. %1 themes available.": "" + "Color theme for syntax highlighting. %1 themes available.": "Színtéma a szintaxiskiemeléshez. %1 téma érhető el." }, "Colorful mix of bright contrasting accents.": { "Colorful mix of bright contrasting accents.": "Színes keverék, fényes kontrasztos kiemelésekkel." @@ -858,7 +858,7 @@ "Command": "Parancs" }, "Commands": { - "Commands": "" + "Commands": "Parancsok" }, "Communication": { "Communication": "Kommunikáció" @@ -950,11 +950,14 @@ "Control Center": { "Control Center": "Vezérlőközpont" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "Jelenleg játszott média vezérlése" }, "Control which plugins appear in 'All' mode without requiring a trigger prefix. Drag to reorder.": { - "Control which plugins appear in 'All' mode without requiring a trigger prefix. Drag to reorder.": "" + "Control which plugins appear in 'All' mode without requiring a trigger prefix. Drag to reorder.": "Szabályozza, mely bővítmények jelenjenek meg „Összes” módban indító előtag nélkül. Húzd az átrendezéshez." }, "Control workspaces and columns by scrolling on the bar": { "Control workspaces and columns by scrolling on the bar": "Munkaterületek és oszlopok vezérlése görgetéssel a sávon" @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "Várakozási idő" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "Másolva a vágólapra" }, @@ -978,7 +990,7 @@ "Copy Full Command": "Teljes parancs másolása" }, "Copy HTML": { - "Copy HTML": "" + "Copy HTML": "HTML másolása" }, "Copy Name": { "Copy Name": "Név másolása" @@ -990,13 +1002,13 @@ "Copy Process Name": "Folyamatnév másolása" }, "Copy Text": { - "Copy Text": "" + "Copy Text": "Szöveg másolása" }, "Copy URL": { - "Copy URL": "" + "Copy URL": "URL másolása" }, "Copy path": { - "Copy path": "" + "Copy path": "Útvonal másolása" }, "Corner Radius": { "Corner Radius": "Sarokrádiusz" @@ -1407,7 +1419,7 @@ "Edge Spacing": "Élek távolsága" }, "Edit App": { - "Edit App": "" + "Edit App": "Alkalmazás szerkesztése" }, "Education": { "Education": "Oktatás" @@ -1458,7 +1470,7 @@ "Enable loginctl lock integration": "loginctl zár integráció engedélyezése" }, "Enable media player controls on the lock screen window": { - "Show Media Player": "" + "Show Media Player": "Médialejátszó megjelenítése" }, "Enable password field display on the lock screen window": { "Show Password Field": "Jelszómező megjelenítése" @@ -1497,7 +1509,7 @@ "Enter PIN for ": "PIN-kód megadása ehhez: " }, "Enter a new name for this workspace": { - "Enter a new name for this workspace": "" + "Enter a new name for this workspace": "Add meg a munkaterület új nevét" }, "Enter a search query": { "Enter a search query": "Írj be egy keresőkifejezést" @@ -1539,7 +1551,7 @@ "Entry unpinned": "Bejegyzés rögzítése feloldva" }, "Environment Variables": { - "Environment Variables": "" + "Environment Variables": "Környezeti változók" }, "Error": { "Error": "Hiba" @@ -1557,7 +1569,7 @@ "Exponential": "Exponenciális" }, "Extra Arguments": { - "Extra Arguments": "" + "Extra Arguments": "További argumentumok" }, "F1/I: Toggle • F10: Help": { "F1/I: Toggle • F10: Help": "F1/I: be- és kikapcsolás • F10: Segítség" @@ -1749,7 +1761,7 @@ "File Information": "Fájlinformáció" }, "File search requires dsearch\\nInstall from github.com/morelazers/dsearch": { - "File search requires dsearch\\nInstall from github.com/morelazers/dsearch": "" + "File search requires dsearch\\nInstall from github.com/morelazers/dsearch": "A fájlkereséshez dsearch szükséges\\nTelepítse innen: github.com/morelazers/dsearch" }, "Files": { "Files": "Fájlok" @@ -1950,7 +1962,7 @@ "HSV": "HSV" }, "HTML copied to clipboard": { - "HTML copied to clipboard": "" + "HTML copied to clipboard": "HTML a vágólapra másolva" }, "Health": { "Health": "Állapot" @@ -1971,16 +1983,16 @@ "Hidden": "Rejtett" }, "Hidden Apps": { - "Hidden Apps": "" + "Hidden Apps": "Rejtett alkalmazások" }, "Hidden Network": { "Hidden Network": "Rejtett hálózat" }, "Hidden apps won't appear in the launcher. Right-click an app and select 'Hide App' to hide it.": { - "Hidden apps won't appear in the launcher. Right-click an app and select 'Hide App' to hide it.": "" + "Hidden apps won't appear in the launcher. Right-click an app and select 'Hide App' to hide it.": "A rejtett alkalmazások nem jelennek meg az indítóban. Kattints jobb gombbal egy alkalmazásra, és válaszd az „Alkalmazás elrejtése” lehetőséget az elrejtéshez." }, "Hide App": { - "Hide App": "" + "Hide App": "Alkalmazás elrejtése" }, "Hide Delay": { "Hide Delay": "Elrejtési késleltetés" @@ -2064,7 +2076,7 @@ "IP Address:": "IP-cím:" }, "Icon": { - "Icon": "" + "Icon": "Ikon" }, "Icon Size": { "Icon Size": "Ikonméret" @@ -2106,7 +2118,7 @@ "Include Transitions": "Átmenetekkel együtt" }, "Include desktop actions (shortcuts) in search results.": { - "Include desktop actions (shortcuts) in search results.": "" + "Include desktop actions (shortcuts) in search results.": "Asztali műveletek (parancsikonok) belefoglalása a keresési eredményekbe." }, "Incompatible Plugins Loaded": { "Incompatible Plugins Loaded": "Inkompatibilis bővítmények betöltve" @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "Csatlakoztatva" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "Indítsd el a kdeconnectd szolgáltatást ezen bővítmény használatához" }, @@ -2213,17 +2228,17 @@ "Failed to reject pairing": "Nem sikerült a párosítás elutasítása", "Failed to ring device": "Nem sikerült az eszköz megcsöngetése", "Failed to send clipboard": "Nem sikerült a vágólap elküldése", - "Failed to send file": "", + "Failed to send file": "Nem sikerült elküldeni a fájlt", "Failed to send ping": "Nem sikerült a ping küldése", "Failed to share": "Nem sikerült a megosztás", "Pairing failed": "A párosítás sikertelen", "Unpair failed": "A párosítás megszüntetése sikertelen" }, "KDE Connect file browser title": { - "Select File to Send": "" + "Select File to Send": "Küldendő fájl kiválasztása" }, "KDE Connect file send": { - "Sending": "" + "Sending": "Küldés" }, "KDE Connect file share notification": { "File received from": "Fájl érkezett innen:" @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "Nincsenek eszközök" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "Nincs párosítva" }, @@ -2291,7 +2309,7 @@ "Ring": "Megcsörgetés" }, "KDE Connect send file button": { - "Send File": "" + "Send File": "Fájl küldése" }, "KDE Connect service unavailable message": { "KDE Connect unavailable": "A KDE Connect nem érhető el" @@ -2300,13 +2318,13 @@ "Share URL": "URL megosztása" }, "KDE Connect share button": { - "Share Text": "" + "Share Text": "Szöveg megosztása" }, "KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": { "Share": "Megosztás" }, "KDE Connect share dialog title | KDE Connect share tooltip": { - "Share": "" + "Share": "Megosztás" }, "KDE Connect share input placeholder": { "Enter URL or text to share": "Adj meg egy URL-t vagy szöveget a megosztáshoz" @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "Nem érhető el" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "Ismeretlen" }, @@ -2381,10 +2402,10 @@ "LED device": "LED-eszköz" }, "Large": { - "Large": "" + "Large": "Nagy" }, "Largest": { - "Largest": "" + "Largest": "Legnagyobb" }, "Last launched %1": { "Last launched %1": "Utoljára elindítva: %1" @@ -2417,7 +2438,7 @@ "Launcher": "Indító" }, "Launcher Button": { - "Launcher Button": "" + "Launcher Button": "Indítógomb" }, "Launcher Button Logo": { "Launcher Button Logo": "Indító gomb logója" @@ -2459,7 +2480,7 @@ "Loading plugins...": "Bővítmények betöltése…" }, "Loading trending...": { - "Loading trending...": "" + "Loading trending...": "Trendek betöltése..." }, "Loading...": { "Loading...": "Betöltés…" @@ -2837,10 +2858,10 @@ "No adapters": "Nincs adapter" }, "No app customizations.": { - "No app customizations.": "" + "No app customizations.": "Nincsenek alkalmazás testreszabások." }, "No apps found": { - "No apps found": "" + "No apps found": "Nem találhatók alkalmazások" }, "No battery": { "No battery": "Nincs akkumulátor" @@ -2873,7 +2894,7 @@ "No files found": "Nem található fájl" }, "No hidden apps.": { - "No hidden apps.": "" + "No hidden apps.": "Nincsenek rejtett alkalmazások." }, "No items added yet": { "No items added yet": "Még nincsenek hozzáadott elemek" @@ -2882,13 +2903,13 @@ "No keybinds found": "Nem található billentyű" }, "No launcher plugins installed.": { - "No launcher plugins installed.": "" + "No launcher plugins installed.": "Nincsenek indítóbővítmények telepítve." }, "No matches": { "No matches": "Nincs találat" }, "No plugin results": { - "No plugin results": "" + "No plugin results": "Nincsenek bővítményeredmények" }, "No plugins found": { "No plugins found": "Nem található bővítmény" @@ -2909,13 +2930,13 @@ "No recent clipboard entries found": "Nem találhatók legutóbbi vágólapbejegyzések" }, "No results found": { - "No results found": "" + "No results found": "Nincsenek találatok" }, "No saved clipboard entries": { "No saved clipboard entries": "Nincsenek mentett vágólapbejegyzések" }, "No trigger": { - "No trigger": "" + "No trigger": "Nincs indító" }, "No variants created. Click Add to create a new monitor widget.": { "No variants created. Click Add to create a new monitor widget.": "Nincsenek létrehozott variánsok. Kattints a Hozzáadás gombra új monitor widget létrehozásához." @@ -3029,10 +3050,10 @@ "Open Notepad File": "Jegyzettömb-fájl megnyitása" }, "Open folder": { - "Open folder": "" + "Open folder": "Mappa megnyitása" }, "Open in Browser": { - "Open in Browser": "" + "Open in Browser": "Megnyitás böngészőben" }, "Open search bar to find text": { "Open search bar to find text": "Keresősáv megnyitása a szöveg kereséséhez" @@ -3101,7 +3122,7 @@ "PIN": "PIN" }, "Pad Hours": { - "Pad Hours": "" + "Pad Hours": "Órák kiegészítése" }, "Padding": { "Padding": "Kitöltés" @@ -3170,7 +3191,7 @@ "Pinned": "Rögzítve" }, "Pinned and running apps with drag-and-drop": { - "Pinned and running apps with drag-and-drop": "" + "Pinned and running apps with drag-and-drop": "Kitűzött és futó alkalmazások átrendezése húzással" }, "Place plugin directories here. Each plugin should have a plugin.json manifest file.": { "Place plugin directories here. Each plugin should have a plugin.json manifest file.": "Helyezd ide a bővítménykönyvtárakat. Minden bővítménynek rendelkeznie kell egy plugin.json fájllal." @@ -3209,7 +3230,7 @@ "Plugin Management": "Bővítménykezelés" }, "Plugin Visibility": { - "Plugin Visibility": "" + "Plugin Visibility": "Bővítmény láthatósága" }, "Plugin is disabled - enable in Plugins settings to use": { "Plugin is disabled - enable in Plugins settings to use": "A bővítmény ki van kapcsolva - engedélyezd a bővítménybeállításokban a használathoz" @@ -3290,7 +3311,7 @@ "Prevent screen timeout": "Képernyő időtúllépésének megakadályozása" }, "Preview": { - "Preview": "" + "Preview": "Előnézet" }, "Primary": { "Primary": "Elsődleges" @@ -3407,10 +3428,10 @@ "Remove gaps and border when windows are maximized": "Rések és szegély eltávolítása az ablakok maximalizálásakor" }, "Rename": { - "Rename": "" + "Rename": "Átnevezés" }, "Rename Workspace": { - "Rename Workspace": "" + "Rename Workspace": "Munkaterület átnevezése" }, "Repeat": { "Repeat": "Ismétlés" @@ -3590,10 +3611,10 @@ "Scrolling": "Görgetés" }, "Search App Actions": { - "Search App Actions": "" + "Search App Actions": "Alkalmazásműveletek keresése" }, "Search Options": { - "Search Options": "" + "Search Options": "Keresési beállítások" }, "Search by key combo, description, or action name.\\n\\nDefault action copies the keybind to clipboard.\\nRight-click or press Right Arrow to pin frequently used keybinds - they'll appear at the top when not searching.": { "Search by key combo, description, or action name.\\n\\nDefault action copies the keybind to clipboard.\\nRight-click or press Right Arrow to pin frequently used keybinds - they'll appear at the top when not searching.": "Keresés billentyűkombináció, leírás vagy műveletnév szerint.\\n\\nAlapértelmezés szerint a vágólapra másolja a gyorsbillentyűt.\\nKattints jobb gombbal vagy nyomd meg a jobbra nyilat a gyakran használt gyorsbillentyűk rögzítéséhez – ezek a keresésen kívül felül jelennek meg." @@ -3635,7 +3656,7 @@ "Security": "Biztonság" }, "Select": { - "Select": "" + "Select": "Kiválasztás" }, "Select Application": { "Select Application": "Alkalmazás kiválasztása" @@ -3716,7 +3737,7 @@ "Setup": "Beállítás" }, "Share Gamma Control Settings": { - "Share Gamma Control Settings": "" + "Share Gamma Control Settings": "Gamma-vezérlési beállítások megosztása" }, "Shell": { "Shell": "Shell" @@ -3725,7 +3746,7 @@ "Shift+Del: Clear All • Esc: Close": "Shift+Del: Összes törlése • Esc: Bezárás" }, "Shift+Enter to paste": { - "Shift+Enter to paste": "" + "Shift+Enter to paste": "Shift+Enter a beillesztéshez" }, "Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": { "Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": "Shift+Enter: Beillesztés • Shift+Del: Összes törlése • Esc: Bezárás" @@ -3785,7 +3806,7 @@ "Show Humidity": "Páratartalom megjelenítése" }, "Show Launcher Button": { - "Show Launcher Button": "" + "Show Launcher Button": "Indítógomb megjelenítése" }, "Show Line Numbers": { "Show Line Numbers": "Sorok számának megjelenítése" @@ -3965,7 +3986,7 @@ "Sizing": "Méretezés" }, "Small": { - "Small": "" + "Small": "Kicsi" }, "Smartcard Authentication": { "Smartcard Authentication": "Intelligens kártyás hitelesítés" @@ -4289,10 +4310,10 @@ "Transparency": "Átlátszóság" }, "Trending GIFs": { - "Trending GIFs": "" + "Trending GIFs": "Népszerű GIF-ek" }, "Trending Stickers": { - "Trending Stickers": "" + "Trending Stickers": "Népszerű matricák" }, "Trigger": { "Trigger": "Indító" @@ -4301,10 +4322,10 @@ "Trigger Prefix": "Indító előtag" }, "Trigger: %1": { - "Trigger: %1": "" + "Trigger: %1": "Indító: %1" }, "Try a different search": { - "Try a different search": "" + "Try a different search": "Próbálkozz más kereséssel" }, "Turn off all displays immediately when the lock screen activates": { "Turn off all displays immediately when the lock screen activates": "Az összes kijelző azonnali kikapcsolása a képernyőzár aktiválásakor" @@ -4316,19 +4337,19 @@ "Type": "Típus" }, "Type at least 2 characters": { - "Type at least 2 characters": "" + "Type at least 2 characters": "Írj be legalább 2 karaktert" }, "Type this prefix to search keybinds": { "Type this prefix to search keybinds": "Írd be ezt az előtagot a gyorsbillentyűk kereséséhez" }, "Type to search": { - "Type to search": "" + "Type to search": "Írj a kereséshez" }, "Type to search apps": { - "Type to search apps": "" + "Type to search apps": "Írj az alkalmazások kereséséhez" }, "Type to search files": { - "Type to search files": "" + "Type to search files": "Írj a fájlok kereséséhez" }, "Typography": { "Typography": "Tipográfia" @@ -4448,7 +4469,7 @@ "Use light theme instead of dark theme": "Világos téma használata a sötét helyett" }, "Use meters per second instead of km/h for wind speed": { - "Use meters per second instead of km/h for wind speed": "" + "Use meters per second instead of km/h for wind speed": "Méter per másodperc használata km/h helyett a szélsebességhez" }, "Use smaller notification cards": { "Use smaller notification cards": "Kisebb értesítési kártyák használata" @@ -4478,13 +4499,13 @@ "Username": "Felhasználónév" }, "Uses sunrise/sunset times based on your location.": { - "Uses sunrise/sunset times based on your location.": "" + "Uses sunrise/sunset times based on your location.": "A tartózkodási hely szerinti napkelte és napnyugta időpontokat használata." }, "Uses sunrise/sunset times to automatically adjust night mode based on your location.": { "Uses sunrise/sunset times to automatically adjust night mode based on your location.": "Napkelte/napnyugta időpontok használata az éjszakai mód automatikus beállításához a tartózkodási helyed alapján." }, "Using shared settings from Gamma Control": { - "Using shared settings from Gamma Control": "" + "Using shared settings from Gamma Control": "A Gamma Control megosztott beállításainak használata" }, "Utilities": { "Utilities": "Segédprogramok" @@ -4687,7 +4708,7 @@ "Wind Speed": "Szélsebesség" }, "Wind Speed in m/s": { - "Wind Speed in m/s": "" + "Wind Speed in m/s": "Szélsebesség m/s-ban" }, "Window Corner Radius": { "Window Corner Radius": "Ablaksarok sugara" @@ -4723,7 +4744,7 @@ "Workspace Switcher": "Munkaterület-váltó" }, "Workspace name": { - "Workspace name": "" + "Workspace name": "Munkaterület neve" }, "Workspaces": { "Workspaces": "Munkaterületek" @@ -4753,22 +4774,49 @@ "You have unsaved changes. Save before opening a file?": "Nem mentett változtatásaid vannak. Mented a fájl megnyitása előtt?" }, "actions": { - "actions": "" + "actions": "műveletek" }, "apps": { "apps": "alkalmazások" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "ettől: %1" }, "bar shadow settings card": { "Shadow": "Árnyék" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { - "Color": "" + "Color": "Szín" }, "border thickness": { - "Thickness": "" + "Thickness": "Vastagság" }, "browse themes button | theme browser header | theme browser window title": { "Browse Themes": "Témák böngészése" @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "Nyugtató pasztell téma a Catppuccin alapján" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "Jelenlegi téma: %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "Háttérkép kiválasztása" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "nap" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "A dms/outputs konfiguráció létezik, de nincs benne a kompozitorod konfigurációjában. A kijelző változások nem maradnak meg." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "Dinamikus színek a háttérképből" }, @@ -5028,19 +5110,19 @@ "Installed": "Telepítve" }, "launcher appearance settings": { - "Appearance": "" + "Appearance": "Megjelenés" }, "launcher border option": { - "Border": "" + "Border": "Szegély" }, "launcher footer description": { - "Show mode tabs and keyboard hints at the bottom.": "" + "Show mode tabs and keyboard hints at the bottom.": "Módlapok és billentyűzettippek megjelenítése alul." }, "launcher footer visibility": { - "Show Footer": "" + "Show Footer": "Élőláb megjelenítése" }, "launcher size option": { - "Size": "" + "Size": "Méret" }, "leave empty for default": { "leave empty for default": "hagyd üresen az alapértelmezéshez" @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl nem elérhető – a zár integrációhoz DMS socket kapcsolat szükséges" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matugen nem található - telepítsd a matugen csomagot a dinamikus témázásért" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "A Matugen hiányzik" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "percek" }, @@ -5083,7 +5181,16 @@ "ms": "ms" }, "nav": { - "nav": "" + "nav": "navigáció" + }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" }, "no custom theme file status": { "No custom theme file": "Nincs egyéni témafájl" @@ -5142,10 +5249,10 @@ "official": "hivatalos" }, "open": { - "open": "" + "open": "megnyitás" }, "outline color": { - "Outline": "" + "Outline": "Körvonal" }, "plugin browser description": { "Install plugins from the DMS plugin registry": "Bővítmények telepítése a DMS bővítmény-regiszterből" @@ -5162,8 +5269,19 @@ "plugin search placeholder": { "Search plugins...": "Bővítmények keresése…" }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { - "Primary": "" + "Primary": "Elsődleges" }, "process count label in footer": { "Processes:": "Folyamatok:" @@ -5183,8 +5301,18 @@ "registry theme description": { "Color theme from DMS registry": "Színtéma a DMS regiszterből" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { - "Secondary": "" + "Secondary": "Másodlagos" }, "seconds": { "seconds": "másodpercek" @@ -5200,7 +5328,7 @@ "Text": "Szöveg" }, "shadow color option | text color": { - "Text": "" + "Text": "Szöveg" }, "shadow intensity slider": { "Intensity": "Intenzitás" @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "Színtémák telepítése a DMS téma-regiszterből" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "Telepíted a(z) „%1” témát a DMS regiszterből?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "Témák keresése…" }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "Eltávolítás" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "Háttérkép hiba" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "A háttérkép feldolgozása sikertelen" }, @@ -5281,8 +5428,23 @@ "wallpaper settings external management": { "External Wallpaper Management": "Külső háttérképkezelés" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { - "Feels Like %1°": "" + "Feels Like %1°": "Hőérzet: %1°" + }, + "widget style option": { + "Colorful": "", + "Default": "" }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "A wtype nem elérhető - telepítsd a wtype csomagot a beillesztés támogatásához" diff --git a/quickshell/translations/poexports/it.json b/quickshell/translations/poexports/it.json index 5fe99227..6119d40f 100644 --- a/quickshell/translations/poexports/it.json +++ b/quickshell/translations/poexports/it.json @@ -282,7 +282,7 @@ "Anonymous Identity (optional)": "Identità anonima (facoltativa)" }, "App Customizations": { - "App Customizations": "" + "App Customizations": "Personalizzazioni App" }, "App ID Substitutions": { "App ID Substitutions": "Sostituzioni App ID" @@ -309,10 +309,10 @@ "Apply warm color temperature to reduce eye strain. Use automation settings below to control when it activates.": "Applica una temperatura colore più calda per ridurre l'affaticamento visivo. Usa le impostazioni di automazione qui sotto per controllare quando attivarla." }, "Apps": { - "Apps": "" + "Apps": "App" }, "Apps Dock": { - "Apps Dock": "" + "Apps Dock": "App della Dock" }, "Apps Icon": { "Apps Icon": "Icona App" @@ -321,7 +321,7 @@ "Apps are ordered by usage frequency, then last used, then alphabetically.": "Le applicazioni sono ordinate per frequenza d'uso, poi per ultimo utilizzo, e infine in ordine alfabetico." }, "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": { - "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": "" + "Apps with custom display name, icon, or launch options. Right-click an app and select 'Edit App' to customize.": "App con nome visualizzato, icona o opzioni di avvio personalizzati. Fai clic con il tasto destro su un'app e seleziona 'Modifica app' per personalizzare." }, "Arrange displays and configure resolution, refresh rate, and VRR": { "Arrange displays and configure resolution, refresh rate, and VRR": "Disponi gli schermi e configura risoluzione, frequenza di aggiornamento e VRR" @@ -423,7 +423,7 @@ "Autoconnect enabled": "Connessione automatica abilitata" }, "Automatic Color Mode": { - "Automatic Color Mode": "" + "Automatic Color Mode": "Modalità Colore Automatica" }, "Automatic Control": { "Automatic Control": "Controllo Automatico" @@ -450,7 +450,7 @@ "Automatically lock the screen when the system prepares to suspend": "Blocca automaticamente lo schermo quando il sistema si prepara alla sospensione" }, "Automation": { - "Automation": "" + "Automation": "Automazione" }, "Available": { "Available": "Disponibile" @@ -597,7 +597,7 @@ "Browse Plugins": "Sfoglia Plugin" }, "Browse or search plugins": { - "Browse or search plugins": "" + "Browse or search plugins": "Sfoglia o Cerca Plugin" }, "CPU": { "CPU": "CPU" @@ -630,10 +630,10 @@ "CUPS not available": "CUPS non disponibile" }, "Calc": { - "Calc": "" + "Calc": "Calc" }, "Calculator": { - "Calculator": "" + "Calculator": "Calcolatrice" }, "Camera": { "Camera": "Fotocamera" @@ -687,7 +687,7 @@ "Choose Color": "Scegli colore" }, "Choose Dock Launcher Logo Color": { - "Choose Dock Launcher Logo Color": "" + "Choose Dock Launcher Logo Color": "Scegli il Colore del Logo del Dock Launcher" }, "Choose Launcher Logo Color": { "Choose Launcher Logo Color": "Scegli il Colore del Logo del Launcher" @@ -726,7 +726,7 @@ "Choose which monitor shows the lock screen interface. Other monitors will display a solid color for OLED burn-in protection.": "Scegli quale monitor mostra l'interfaccia della schermata di blocco. Gli altri monitor visualizzeranno un colore solido per proteggere gli schermi OLED dal burn-in." }, "Chroma Style": { - "Chroma Style": "" + "Chroma Style": "Stile Chroma" }, "Cipher": { "Cipher": "Cifratura" @@ -804,13 +804,13 @@ "Close": "Chiudi" }, "Close All Windows": { - "Close All Windows": "" + "Close All Windows": "Chiudi Tutte le Finestre" }, "Close Overview on Launch": { "Close Overview on Launch": "Chiudi Panoramica all'Avvio" }, "Close Window": { - "Close Window": "" + "Close Window": "Chiudi Finestra" }, "Color": { "Color": "Colore" @@ -843,10 +843,10 @@ "Color temperature for night mode": "Temperatura colore per la modalità notturna" }, "Color theme for syntax highlighting.": { - "Color theme for syntax highlighting.": "" + "Color theme for syntax highlighting.": "Tema colori per l'evidenziazione della sintassi." }, "Color theme for syntax highlighting. %1 themes available.": { - "Color theme for syntax highlighting. %1 themes available.": "" + "Color theme for syntax highlighting. %1 themes available.": "Tema colori per l'evidenziazione della sintassi. %1 temi disponibili." }, "Colorful mix of bright contrasting accents.": { "Colorful mix of bright contrasting accents.": "Mix colorato di accenti contrastanti brillanti." @@ -858,7 +858,7 @@ "Command": "Comando" }, "Commands": { - "Commands": "" + "Commands": "Comandi" }, "Communication": { "Communication": "Comunicazione" @@ -950,11 +950,14 @@ "Control Center": { "Control Center": "Centro di Controllo" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "Controllo media attualmente in riproduzione" }, "Control which plugins appear in 'All' mode without requiring a trigger prefix. Drag to reorder.": { - "Control which plugins appear in 'All' mode without requiring a trigger prefix. Drag to reorder.": "" + "Control which plugins appear in 'All' mode without requiring a trigger prefix. Drag to reorder.": "Controlla quali plugin appaiono nella modalità 'Tutti' senza richiedere un prefisso di attivazione. Trascina per riordinare." }, "Control workspaces and columns by scrolling on the bar": { "Control workspaces and columns by scrolling on the bar": "Controlla spazi di lavoro e colonne scorrendo sulla barra" @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "Tempo di Attesa" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "Copiato negli appunti" }, @@ -978,7 +990,7 @@ "Copy Full Command": "Copia Comando Completo" }, "Copy HTML": { - "Copy HTML": "" + "Copy HTML": "Copia HTML" }, "Copy Name": { "Copy Name": "Copia nome" @@ -990,13 +1002,13 @@ "Copy Process Name": "Copia Nome Processo" }, "Copy Text": { - "Copy Text": "" + "Copy Text": "Copia Testo" }, "Copy URL": { - "Copy URL": "" + "Copy URL": "Copia URL" }, "Copy path": { - "Copy path": "" + "Copy path": "Copia Percorso" }, "Corner Radius": { "Corner Radius": "Raggio degli Angoli" @@ -1056,7 +1068,7 @@ "Cursor Size": "Dimensione Cursore" }, "Cursor Theme": { - "Cursor Theme": "Tema del Cursore" + "Cursor Theme": "Tema Cursore" }, "Custom": { "Custom": "Personalizzato" @@ -1365,7 +1377,7 @@ "Dock Transparency": "Trasparenza Dock" }, "Dock Visibility": { - "Dock Visibility": "Visibilità della Dock" + "Dock Visibility": "Visibilità Dock" }, "Docs": { "Docs": "Documentazione" @@ -1407,7 +1419,7 @@ "Edge Spacing": "Spaziatura del Bordo" }, "Edit App": { - "Edit App": "" + "Edit App": "Modifica app" }, "Education": { "Education": "Istruzione" @@ -1458,7 +1470,7 @@ "Enable loginctl lock integration": "Abilita l'integrazione di blocco loginctl" }, "Enable media player controls on the lock screen window": { - "Show Media Player": "" + "Show Media Player": "Mostra Lettore Multimediale" }, "Enable password field display on the lock screen window": { "Show Password Field": "Mostra Campo Password" @@ -1497,7 +1509,7 @@ "Enter PIN for ": "Inserisci PIN per " }, "Enter a new name for this workspace": { - "Enter a new name for this workspace": "" + "Enter a new name for this workspace": "Inserisci un nuovo nome per questo spazio di lavoro" }, "Enter a search query": { "Enter a search query": "Inserisci una query di ricerca" @@ -1539,7 +1551,7 @@ "Entry unpinned": "Voce sbloccata" }, "Environment Variables": { - "Environment Variables": "" + "Environment Variables": "Variabili d'Ambiente" }, "Error": { "Error": "Errore" @@ -1557,7 +1569,7 @@ "Exponential": "Esponenziale" }, "Extra Arguments": { - "Extra Arguments": "" + "Extra Arguments": "Argomenti Aggiuntivi" }, "F1/I: Toggle • F10: Help": { "F1/I: Toggle • F10: Help": "F1/I: Cambia • F10: Aiuto" @@ -1749,7 +1761,7 @@ "File Information": "Informazioni File" }, "File search requires dsearch\\nInstall from github.com/morelazers/dsearch": { - "File search requires dsearch\\nInstall from github.com/morelazers/dsearch": "" + "File search requires dsearch\\nInstall from github.com/morelazers/dsearch": "La ricerca file richiede dsearch\\nInstalla da github.com/morelazers/dsearch" }, "Files": { "Files": "File" @@ -1950,7 +1962,7 @@ "HSV": "HSV" }, "HTML copied to clipboard": { - "HTML copied to clipboard": "" + "HTML copied to clipboard": "HTML copiato negli appunti" }, "Health": { "Health": "Salute" @@ -1971,16 +1983,16 @@ "Hidden": "Nascosto" }, "Hidden Apps": { - "Hidden Apps": "" + "Hidden Apps": "App Nascoste" }, "Hidden Network": { "Hidden Network": "Rete Nascosta" }, "Hidden apps won't appear in the launcher. Right-click an app and select 'Hide App' to hide it.": { - "Hidden apps won't appear in the launcher. Right-click an app and select 'Hide App' to hide it.": "" + "Hidden apps won't appear in the launcher. Right-click an app and select 'Hide App' to hide it.": "Le app nascoste non appariranno nel launcher. Fai clic col tasto destro su un'app e seleziona 'Nascondi app' per nasconderla." }, "Hide App": { - "Hide App": "" + "Hide App": "Nascondi App" }, "Hide Delay": { "Hide Delay": "Ritardo Nascondi" @@ -2052,7 +2064,7 @@ "Humidity": "Umidità" }, "Hyprland Layout Overrides": { - "Hyprland Layout Overrides": "Sovrascritture Layout di Hyprland" + "Hyprland Layout Overrides": "Sovrascritture Layout Hyprland" }, "I Understand": { "I Understand": "Ho capito" @@ -2064,7 +2076,7 @@ "IP Address:": "Indirizzo IP:" }, "Icon": { - "Icon": "" + "Icon": "Icona" }, "Icon Size": { "Icon Size": "Dimensione Icona" @@ -2106,7 +2118,7 @@ "Include Transitions": "Includi Transizioni" }, "Include desktop actions (shortcuts) in search results.": { - "Include desktop actions (shortcuts) in search results.": "" + "Include desktop actions (shortcuts) in search results.": "Includi azioni desktop (scorciatoie) nei risultati di ricerca." }, "Incompatible Plugins Loaded": { "Incompatible Plugins Loaded": "Plugin Incompatibili Caricati" @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "Connesso" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "Avvia kdeconnectd per utilizzare questo plugin" }, @@ -2213,17 +2228,17 @@ "Failed to reject pairing": "Impossibile rifiutare l’associazione", "Failed to ring device": "Impossibile far squillare il dispositivo", "Failed to send clipboard": "Impossibile inviare gli appunti", - "Failed to send file": "", + "Failed to send file": "Impossibile Inviare il File", "Failed to send ping": "Impossibile inviare il ping", "Failed to share": "Impossibile condividere", "Pairing failed": "Associazione non riuscita", "Unpair failed": "Dissociazione non riuscita" }, "KDE Connect file browser title": { - "Select File to Send": "" + "Select File to Send": "Seleziona File da Inviare" }, "KDE Connect file send": { - "Sending": "" + "Sending": "Invio in Corso" }, "KDE Connect file share notification": { "File received from": "File ricevuto da" @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "Nessun dispositivo" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "Non associato" }, @@ -2291,7 +2309,7 @@ "Ring": "Fai squillare" }, "KDE Connect send file button": { - "Send File": "" + "Send File": "Invia File" }, "KDE Connect service unavailable message": { "KDE Connect unavailable": "KDE Connect non è disponibile" @@ -2300,13 +2318,13 @@ "Share URL": "Condividi URL" }, "KDE Connect share button": { - "Share Text": "" + "Share Text": "Condividi Testo" }, "KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": { "Share": "Condividi" }, "KDE Connect share dialog title | KDE Connect share tooltip": { - "Share": "" + "Share": "Condividi" }, "KDE Connect share input placeholder": { "Enter URL or text to share": "Inserisci un URL o un testo da condividere" @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "Non Disponibile" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "Sconosciuto" }, @@ -2381,10 +2402,10 @@ "LED device": "Dispositivo LED" }, "Large": { - "Large": "" + "Large": "Grande" }, "Largest": { - "Largest": "" + "Largest": "Molto Grande" }, "Last launched %1": { "Last launched %1": "Ultimo avvio %1" @@ -2405,7 +2426,7 @@ "Latitude": "Latitudine" }, "Launch": { - "Launch": "Avvio" + "Launch": "Avvia" }, "Launch Prefix": { "Launch Prefix": "Prefisso Avvio" @@ -2417,7 +2438,7 @@ "Launcher": "Launcher" }, "Launcher Button": { - "Launcher Button": "" + "Launcher Button": "Pulsante del Launcher" }, "Launcher Button Logo": { "Launcher Button Logo": "Logo Pulsante Launcher" @@ -2459,7 +2480,7 @@ "Loading plugins...": "Caricamento plugin..." }, "Loading trending...": { - "Loading trending...": "" + "Loading trending...": "Caricamento tendenze..." }, "Loading...": { "Loading...": "Caricando..." @@ -2534,7 +2555,7 @@ "Management": "Gestione" }, "MangoWC Layout Overrides": { - "MangoWC Layout Overrides": "Sovrascritture Layout di MangoWC" + "MangoWC Layout Overrides": "Sovrascritture Layout MangoWC" }, "Manual Coordinates": { "Manual Coordinates": "Coordinate Manuali" @@ -2798,7 +2819,7 @@ "Niri Integration": "Integrazione Niri" }, "Niri Layout Overrides": { - "Niri Layout Overrides": "Sovrascritture Layout di Niri" + "Niri Layout Overrides": "Sovrascritture Layout Niri" }, "Niri compositor actions (focus, move, etc.)": { "Niri compositor actions (focus, move, etc.)": "Azioni del compositor Niri (focus, muovi, etc.)" @@ -2837,10 +2858,10 @@ "No adapters": "Nessun Adattatore" }, "No app customizations.": { - "No app customizations.": "" + "No app customizations.": "Nessuna personalizzazione app." }, "No apps found": { - "No apps found": "" + "No apps found": "Nessuna app trovata" }, "No battery": { "No battery": "Nessuna batteria" @@ -2873,7 +2894,7 @@ "No files found": "Nessun file trovato" }, "No hidden apps.": { - "No hidden apps.": "" + "No hidden apps.": "Nessuna app nascosta." }, "No items added yet": { "No items added yet": "Nessun elemento aggiunto ancora" @@ -2882,13 +2903,13 @@ "No keybinds found": "Nessuna scorciatoia trovata" }, "No launcher plugins installed.": { - "No launcher plugins installed.": "" + "No launcher plugins installed.": "Nessun plugin del launcher installato." }, "No matches": { "No matches": "Nessun risultato" }, "No plugin results": { - "No plugin results": "" + "No plugin results": "Nessun risultato plugin" }, "No plugins found": { "No plugins found": "Nessun plugin trovato" @@ -2909,13 +2930,13 @@ "No recent clipboard entries found": "Nessuna voce recente negli appunti" }, "No results found": { - "No results found": "" + "No results found": "Nessun risultato trovato" }, "No saved clipboard entries": { "No saved clipboard entries": "Nessuna voce degli appunti salvata" }, "No trigger": { - "No trigger": "" + "No trigger": "Nessun attivatore" }, "No variants created. Click Add to create a new monitor widget.": { "No variants created. Click Add to create a new monitor widget.": "Nessuna variante creata. Fai clic su Aggiungi per creare un nuovo widget monitor." @@ -3029,10 +3050,10 @@ "Open Notepad File": "Apri file Blocco Note" }, "Open folder": { - "Open folder": "" + "Open folder": "Apri cartella" }, "Open in Browser": { - "Open in Browser": "" + "Open in Browser": "Apri nel Browser" }, "Open search bar to find text": { "Open search bar to find text": "Apri barra di ricerca per cercare testo" @@ -3101,7 +3122,7 @@ "PIN": "PIN" }, "Pad Hours": { - "Pad Hours": "" + "Pad Hours": "Zero Iniziale Ore" }, "Padding": { "Padding": "Spaziatura Interna" @@ -3170,7 +3191,7 @@ "Pinned": "Fissato" }, "Pinned and running apps with drag-and-drop": { - "Pinned and running apps with drag-and-drop": "" + "Pinned and running apps with drag-and-drop": "App fissate e in esecuzione con trascinamento" }, "Place plugin directories here. Each plugin should have a plugin.json manifest file.": { "Place plugin directories here. Each plugin should have a plugin.json manifest file.": "Posiziona la cartella dei plugin qui. Ogni plugin deve avere un file manifesto plugin.json." @@ -3209,7 +3230,7 @@ "Plugin Management": "Gestione Plugin" }, "Plugin Visibility": { - "Plugin Visibility": "" + "Plugin Visibility": "Visibilità Plugin" }, "Plugin is disabled - enable in Plugins settings to use": { "Plugin is disabled - enable in Plugins settings to use": "Plugin disabilitato - per usarlo, attivalo nelle impostazioni Plugin" @@ -3290,7 +3311,7 @@ "Prevent screen timeout": "Previeni timeout schermo" }, "Preview": { - "Preview": "" + "Preview": "Anteprima" }, "Primary": { "Primary": "Primario" @@ -3407,10 +3428,10 @@ "Remove gaps and border when windows are maximized": "Rimuovi spazi e bordo quando le finestre sono massimizzate" }, "Rename": { - "Rename": "" + "Rename": "Rinomina" }, "Rename Workspace": { - "Rename Workspace": "" + "Rename Workspace": "Rinomina Spazio di Lavoro" }, "Repeat": { "Repeat": "Ripetizione" @@ -3590,10 +3611,10 @@ "Scrolling": "Scorrimento" }, "Search App Actions": { - "Search App Actions": "" + "Search App Actions": "Cerca Azioni App" }, "Search Options": { - "Search Options": "" + "Search Options": "Opzioni di Ricerca" }, "Search by key combo, description, or action name.\\n\\nDefault action copies the keybind to clipboard.\\nRight-click or press Right Arrow to pin frequently used keybinds - they'll appear at the top when not searching.": { "Search by key combo, description, or action name.\\n\\nDefault action copies the keybind to clipboard.\\nRight-click or press Right Arrow to pin frequently used keybinds - they'll appear at the top when not searching.": "Cerca per combinazione di tasti, descrizione o nome azione.\\n\\nL'azione predefinita copia la scorciatoia negli appunti.\\nClic-destro o Freccia Destra per fissare le scorciatoie frequenti - appariranno in cima quando non si cerca." @@ -3635,7 +3656,7 @@ "Security": "Sicurezza" }, "Select": { - "Select": "" + "Select": "Seleziona" }, "Select Application": { "Select Application": "Seleziona Applicazione" @@ -3716,7 +3737,7 @@ "Setup": "Configurazione" }, "Share Gamma Control Settings": { - "Share Gamma Control Settings": "" + "Share Gamma Control Settings": "Condividi Impostazioni Controllo Gamma" }, "Shell": { "Shell": "Shell" @@ -3725,7 +3746,7 @@ "Shift+Del: Clear All • Esc: Close": "Shift+Canc: Elimina tutto • Esc: Chiudi" }, "Shift+Enter to paste": { - "Shift+Enter to paste": "" + "Shift+Enter to paste": "Shift+Invio per incollare" }, "Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": { "Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": "Shift+Invio: Incolla • Shift+Canc: Cancella Tutto • Esc: Chiudi" @@ -3785,7 +3806,7 @@ "Show Humidity": "Mostra Umidità" }, "Show Launcher Button": { - "Show Launcher Button": "" + "Show Launcher Button": "Mostra Pulsante Launcher" }, "Show Line Numbers": { "Show Line Numbers": "Mostra Numero Righe" @@ -3965,7 +3986,7 @@ "Sizing": "Dimensionamento" }, "Small": { - "Small": "" + "Small": "Piccolo" }, "Smartcard Authentication": { "Smartcard Authentication": "Autenticazione Tramite Smart Card" @@ -4289,10 +4310,10 @@ "Transparency": "Trasparenza" }, "Trending GIFs": { - "Trending GIFs": "" + "Trending GIFs": "GIF di Tendenza" }, "Trending Stickers": { - "Trending Stickers": "" + "Trending Stickers": "Sticker di Tendenza" }, "Trigger": { "Trigger": "Attivatore" @@ -4301,10 +4322,10 @@ "Trigger Prefix": "Prefisso Attivatore" }, "Trigger: %1": { - "Trigger: %1": "" + "Trigger: %1": "Attivatore: %1" }, "Try a different search": { - "Try a different search": "" + "Try a different search": "Prova una ricerca diversa" }, "Turn off all displays immediately when the lock screen activates": { "Turn off all displays immediately when the lock screen activates": "Spegni immediatamente tutti gli schermi quando si attiva la schermata di blocco" @@ -4316,19 +4337,19 @@ "Type": "Tipo" }, "Type at least 2 characters": { - "Type at least 2 characters": "" + "Type at least 2 characters": "Digita almeno 2 caratteri" }, "Type this prefix to search keybinds": { "Type this prefix to search keybinds": "Digita questo prefisso per cercare scorciatoie" }, "Type to search": { - "Type to search": "" + "Type to search": "Scrivi per cercare" }, "Type to search apps": { - "Type to search apps": "" + "Type to search apps": "Scrivi per cercare app" }, "Type to search files": { - "Type to search files": "" + "Type to search files": "Scrivi per cercare file" }, "Typography": { "Typography": "Tipografia" @@ -4448,7 +4469,7 @@ "Use light theme instead of dark theme": "Usa tema chiaro invece del tema scuro" }, "Use meters per second instead of km/h for wind speed": { - "Use meters per second instead of km/h for wind speed": "" + "Use meters per second instead of km/h for wind speed": "Usa metri al secondo invece di km/h per la velocità del vento" }, "Use smaller notification cards": { "Use smaller notification cards": "Usa schede di notifica più piccole" @@ -4478,13 +4499,13 @@ "Username": "Nome Utente" }, "Uses sunrise/sunset times based on your location.": { - "Uses sunrise/sunset times based on your location.": "" + "Uses sunrise/sunset times based on your location.": "Utilizza gli orari di alba/tramonto in base alla tua posizione." }, "Uses sunrise/sunset times to automatically adjust night mode based on your location.": { "Uses sunrise/sunset times to automatically adjust night mode based on your location.": "Usa ore alba/tramonto per regolare automaticamente la modalità notte in base alla tua posizione." }, "Using shared settings from Gamma Control": { - "Using shared settings from Gamma Control": "" + "Using shared settings from Gamma Control": "Utilizzo delle impostazioni condivise di Gamma Control" }, "Utilities": { "Utilities": "Utilità" @@ -4650,7 +4671,7 @@ "Widget Style": "Stile Widget" }, "Widget Styling": { - "Widget Styling": "Stile del Widget" + "Widget Styling": "Aspetto Widget" }, "Widget Transparency": { "Widget Transparency": "Trasparenza Widget" @@ -4687,7 +4708,7 @@ "Wind Speed": "Velocità Vento" }, "Wind Speed in m/s": { - "Wind Speed in m/s": "" + "Wind Speed in m/s": "Velocità del Vento in m/s" }, "Window Corner Radius": { "Window Corner Radius": "Raggio Angoli Finestra" @@ -4705,7 +4726,7 @@ "Workspace": "Spazio di Lavoro" }, "Workspace Appearance": { - "Workspace Appearance": "Aspetto degli Spazi di Lavoro" + "Workspace Appearance": "Aspetto Spazi di Lavoro" }, "Workspace Index Numbers": { "Workspace Index Numbers": "Numeri Indice Spazi di Lavoro" @@ -4723,7 +4744,7 @@ "Workspace Switcher": "Switcher Spazi di Lavoro" }, "Workspace name": { - "Workspace name": "" + "Workspace name": "Nome dello Spazio di Lavoro" }, "Workspaces": { "Workspaces": "Spazi di Lavoro" @@ -4753,22 +4774,49 @@ "You have unsaved changes. Save before opening a file?": "Ci sono modifiche non salvate. Salvare prima di aprire un file?" }, "actions": { - "actions": "" + "actions": "azioni" }, "apps": { "apps": "app" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "di %1" }, "bar shadow settings card": { "Shadow": "Ombra" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { - "Color": "" + "Color": "Colore" }, "border thickness": { - "Thickness": "" + "Thickness": "Spessore" }, "browse themes button | theme browser header | theme browser window title": { "Browse Themes": "Sfoglia Temi" @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "Tema pastello rilassante basato su Catppuccin" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "Tema corrente: %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "Seleziona Sfondo" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "giorni" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "La configurazione dms/outputs esiste ma non è inclusa nella configurazione del compositor. Le modifiche allo schermo non saranno persistenti." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "Colori dinamici dallo sfondo" }, @@ -5028,19 +5110,19 @@ "Installed": "Installato" }, "launcher appearance settings": { - "Appearance": "" + "Appearance": "Aspetto" }, "launcher border option": { - "Border": "" + "Border": "Bordo" }, "launcher footer description": { - "Show mode tabs and keyboard hints at the bottom.": "" + "Show mode tabs and keyboard hints at the bottom.": "Mostra schede modalità e suggerimenti tastiera in basso." }, "launcher footer visibility": { - "Show Footer": "" + "Show Footer": "Mostra Piè di Pagina" }, "launcher size option": { - "Size": "" + "Size": "Dimensione" }, "leave empty for default": { "leave empty for default": "lascia vuoto per il valore predefinito" @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl non disponibile - integrazione blocco richiede connessione socket DMS" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matugen non trovato - installa il pacchetto matugen per il theming dinamico" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Matugen Mancante" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "minuti" }, @@ -5083,7 +5181,16 @@ "ms": "ms" }, "nav": { - "nav": "" + "nav": "nav" + }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" }, "no custom theme file status": { "No custom theme file": "Nessun file tema personalizzato" @@ -5142,10 +5249,10 @@ "official": "ufficiale" }, "open": { - "open": "" + "open": "apri" }, "outline color": { - "Outline": "" + "Outline": "Contorno" }, "plugin browser description": { "Install plugins from the DMS plugin registry": "Installa plugin dal registro plugin DMS" @@ -5162,8 +5269,19 @@ "plugin search placeholder": { "Search plugins...": "Cerca plugin..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { - "Primary": "" + "Primary": "Primario" }, "process count label in footer": { "Processes:": "Processi:" @@ -5183,8 +5301,18 @@ "registry theme description": { "Color theme from DMS registry": "Tema colore dal registro DMS" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { - "Secondary": "" + "Secondary": "Secondario" }, "seconds": { "seconds": "secondi" @@ -5200,7 +5328,7 @@ "Text": "Testo" }, "shadow color option | text color": { - "Text": "" + "Text": "Testo" }, "shadow intensity slider": { "Intensity": "Intensità" @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "Installa temi colore dal registro temi DMS" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "Installa il tema '%1' dal registro DMS?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "Cerca temi..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "Disinstalla" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "Errore Sfondo" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "Elaborazione dello sfondo fallita" }, @@ -5279,10 +5426,25 @@ "Disable Built-in Wallpapers": "Disabilita Sfondi Incorporati" }, "wallpaper settings external management": { - "External Wallpaper Management": "Gestore di Sfondi Esterno" + "External Wallpaper Management": "Gestore Sfondi Esterno" + }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" }, "weather feels like temperature": { - "Feels Like %1°": "" + "Feels Like %1°": "Percepita %1°" + }, + "widget style option": { + "Colorful": "", + "Default": "" }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype non disponibile – installa wtype per il supporto alla funzione incolla" diff --git a/quickshell/translations/poexports/ja.json b/quickshell/translations/poexports/ja.json index d634802e..13f837b7 100644 --- a/quickshell/translations/poexports/ja.json +++ b/quickshell/translations/poexports/ja.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "コントロールセンター" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "現在再生中のメディアを制御" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "クリップボードにコピーしました" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "" }, "bar shadow settings card": { "Shadow": "" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "壁紙を選んでください" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "" }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctlが利用できません- ロック統合のためにDMS socketの接続が必要です。" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "" }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "" }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "" }, diff --git a/quickshell/translations/poexports/pl.json b/quickshell/translations/poexports/pl.json index fce6d36d..7e969266 100644 --- a/quickshell/translations/poexports/pl.json +++ b/quickshell/translations/poexports/pl.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "Centrum sterowania" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "Steruj aktualnie odtwarzanymi multimediami" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "Czas Odnowienia" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "Skopiowano do schowka" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "aplikacje" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "od %1" }, "bar shadow settings card": { "Shadow": "" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "Uspokajający pastelowy motyw oparty na Catppuccin" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "Aktualny Motyw: %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "Wybierz tapetę" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "dni" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "Konfiguracja dms/outputs istnieje, ale nie jest dodana do konfiguracji twojego kompozytora. Zmiany nie będą miały efektu." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "Dynamiczne kolory z tapety" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl niedostępny - integracja blokady wymaga połączenia z gniazdem DMS" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matugen nie znaleziony - zainstaluj matugen dla dynamicznych motywów" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Brak Matugen" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "protokół" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "Brak niestandardowego pliku motywu" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "Szukaj wtyczek..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "Motyw z rejestru DMS" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "Zainstaluj motywy z rejestru DMS" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "Zainstalować motyw '%1' z rejestru DMS?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "Szukaj motywów..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "Odinstaluj" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "Błąd Tapety" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "Przetwarzanie tapety nie powiodło się" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "Zarządzanie tapetami zewnętrznymi" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype niedostępny - zainstaluj wtype dla wsparcia wklejania" }, diff --git a/quickshell/translations/poexports/pt.json b/quickshell/translations/poexports/pt.json index 9d115bed..6bdd9320 100644 --- a/quickshell/translations/poexports/pt.json +++ b/quickshell/translations/poexports/pt.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "Painel de Controle" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "Controlar mídia que está sendo reproduzida" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "Tempo de espera" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "Copiado para a área de transferência" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "" }, "bar shadow settings card": { "Shadow": "" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "Selecionar Papel de Parede" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "dias" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "" }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl não disponível - integração com bloqueio requer conexão de socket DMS" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "minutos" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "" }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "" }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "Gerenciamento Externo de Papéis de Parede" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype não disponível - installe wtype para suporte de colagem" }, diff --git a/quickshell/translations/poexports/tr.json b/quickshell/translations/poexports/tr.json index 464a09c6..87382ef1 100644 --- a/quickshell/translations/poexports/tr.json +++ b/quickshell/translations/poexports/tr.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "Kontrol Merkezi" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "Şu anda oynatılan medyayı kontrol et" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "Bekleme" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "Panoya kopyalandı" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "uygulamalar" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "%1 tarafından" }, "bar shadow settings card": { "Shadow": "" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "Catppuccin tabanlı rahatlatıcı pastel tema" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "Mevcut Tema: %1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "Duvar Kağıdı Seç" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "gün" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "dms/outputs yapılandırması mevcut ancak kompozitör yapılandırmanıza dahil edilmemiş. Ekran değişiklikleri kalıcı olmayacaktır." }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "Duvar kağıdından dinamik renkler" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl kullanılabilir değil - kilit entegrasyonu DMS soket bağlantısı gerektirir" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "matugen bulunamadı - dinamik tema için matugen paketini yükleyin" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Matugen Bulunamadı" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "dakika" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "Özel tema dosyası yok" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "Eklenti ara..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "DMS kayıt defterinden renk teması" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "DMS tema kayıt defterinden renk temaları yükle" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "DMS kayıt defterinden '%1' teması yüklensin mi?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "Tema ara..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "Kaldır" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "Duvar Kağıdı Hatası" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "Duvar kağıdı işleme başarısız oldu" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "Harici Duvar Kağıdı Yönetimi" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype mevcut değil - yapıştırma desteği için wtype'ı yükleyin" }, diff --git a/quickshell/translations/poexports/zh_CN.json b/quickshell/translations/poexports/zh_CN.json index b29b98de..6c391aec 100644 --- a/quickshell/translations/poexports/zh_CN.json +++ b/quickshell/translations/poexports/zh_CN.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "控制中心" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "控制当前播放的媒体" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "冷却" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "复制到剪切板" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "已连接" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "启动kdeconnectd以使用此插件" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "无设备" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "未配对" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "不可用" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "未知" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "应用程序" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "%1" }, "bar shadow settings card": { "Shadow": "阴影" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "基于Catppuccin的舒缓且柔和的主题" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "当前主题:%1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "选择壁纸" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "天" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "dms/输出配置存在,但不包含在你的合成器配置里。显示更改不会保留。" }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "自壁纸选取动态色" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl 不可用 - 启用锁定集成需连接 DMS socket" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "未找到matugen - 请为动态主题安装matugen包" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "未找到matugen" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "分钟" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "缺失自定义主题文件" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "插件搜索中..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "DMS注册表的颜色主题" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "从DMS主题注册表安装色彩主题" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "要从DMS注册表安装主题%1吗?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "主题搜索中..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "卸载" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "壁纸错误" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "壁纸处理失败" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "外部壁纸管理" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype不可用,为支持粘贴,请安装wtype" }, diff --git a/quickshell/translations/poexports/zh_TW.json b/quickshell/translations/poexports/zh_TW.json index 2c17ad24..cb728eda 100644 --- a/quickshell/translations/poexports/zh_TW.json +++ b/quickshell/translations/poexports/zh_TW.json @@ -950,6 +950,9 @@ "Control Center": { "Control Center": "控制台" }, + "Control Center Tile Color": { + "Control Center Tile Color": "" + }, "Control currently playing media": { "Control currently playing media": "控制目前播放器" }, @@ -965,6 +968,15 @@ "Cooldown": { "Cooldown": "冷卻時間" }, + "Copied GIF": { + "Copied GIF": "" + }, + "Copied MP4": { + "Copied MP4": "" + }, + "Copied WebP": { + "Copied WebP": "" + }, "Copied to clipboard": { "Copied to clipboard": "複製到剪貼簿" }, @@ -2203,6 +2215,9 @@ "KDE Connect connected status": { "Connected": "" }, + "KDE Connect connected status | network status": { + "Connected": "" + }, "KDE Connect daemon hint": { "Start kdeconnectd to use this plugin": "" }, @@ -2237,6 +2252,9 @@ "KDE Connect no devices status": { "No devices": "" }, + "KDE Connect no devices status | bluetooth status": { + "No devices": "" + }, "KDE Connect not paired status": { "Not paired": "" }, @@ -2332,6 +2350,9 @@ "KDE Connect unavailable status": { "Unavailable": "" }, + "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": { + "Unknown": "" + }, "KDE Connect unknown device status | unknown author": { "Unknown": "" }, @@ -4758,12 +4779,39 @@ "apps": { "apps": "應用程式" }, + "audio status": { + "Muted": "", + "No input device": "", + "No output device": "", + "Select device": "" + }, "author attribution": { "by %1": "作者:%1" }, "bar shadow settings card": { "Shadow": "陰影" }, + "battery status": { + "Charging": "", + "Discharging": "", + "Empty": "", + "Fully Charged": "", + "No Battery": "", + "Pending Charge": "", + "Pending Discharge": "", + "Plugged In": "" + }, + "bluetooth status": { + "Bluetooth": "", + "Connected Device": "", + "Enabled": "", + "No adapter": "", + "No adapters": "", + "Off": "" + }, + "bluetooth status | lock screen notification mode option": { + "Disabled": "" + }, "border color": { "Color": "" }, @@ -4776,6 +4824,18 @@ "catppuccin theme description": { "Soothing pastel theme based on Catppuccin": "基於 Catppuccin 的柔和粉彩主題" }, + "color option | primary color | tile color option": { + "Primary": "" + }, + "color option | secondary color | tile color option": { + "Secondary": "" + }, + "color option | shadow color option": { + "Surface": "" + }, + "control center tile color setting description": { + "Active tile background and icon color": "" + }, "current theme label": { "Current Theme: %1": "目前主題:%1" }, @@ -4791,6 +4851,18 @@ "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "Select Wallpaper": "選擇桌布" }, + "date format option": { + "Custom...": "", + "Day Date": "", + "Day Month Date": "", + "Full Day & Month": "", + "Full with Year": "", + "ISO Date": "", + "Month Date": "", + "Numeric (D/M)": "", + "Numeric (M/D)": "", + "System Default": "" + }, "days": { "days": "天" }, @@ -4821,6 +4893,16 @@ "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": { "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "dms/outputs 組態存在,但未包含在您的合成器組態中。顯示變更將不會保留。" }, + "dock indicator style option": { + "Circle": "", + "Line": "" + }, + "dock position option": { + "Bottom": "", + "Left": "", + "Right": "", + "Top": "" + }, "dynamic colors description": { "Dynamic colors from wallpaper": "從桌布產生動態色彩" }, @@ -5064,6 +5146,17 @@ "loginctl not available - lock integration requires DMS socket connection": { "loginctl not available - lock integration requires DMS socket connection": "loginctl 不可用 - 鎖定整合需要 DMS 套接字連接" }, + "matugen color scheme option": { + "Content": "", + "Expressive": "", + "Fidelity": "", + "Fruit Salad": "", + "Monochrome": "", + "Neutral": "", + "Rainbow": "", + "Tonal Spot": "", + "Vibrant": "" + }, "matugen error": { "matugen not found - install matugen package for dynamic theming": "找不到 matugen - 請安裝 matugen 套件以實現動態主題" }, @@ -5073,6 +5166,11 @@ "matugen not found status": { "Matugen Missing": "Matugen 遺失" }, + "media scroll wheel option": { + "Change Song": "", + "Change Volume": "", + "Nothing": "" + }, "minutes": { "minutes": "分鐘" }, @@ -5085,6 +5183,15 @@ "nav": { "nav": "" }, + "network status": { + "Disabling WiFi...": "", + "Enabling WiFi...": "", + "Ethernet": "", + "Not connected": "", + "Please wait...": "", + "Select network": "", + "WiFi off": "" + }, "no custom theme file status": { "No custom theme file": "無自訂主題檔案" }, @@ -5162,6 +5269,17 @@ "plugin search placeholder": { "Search plugins...": "搜尋外掛..." }, + "power profile description": { + "Balance power and performance": "", + "Custom power profile": "", + "Extend battery life": "", + "Prioritize performance": "" + }, + "power profile option": { + "Balanced": "", + "Performance": "", + "Power Saver": "" + }, "primary color": { "Primary": "" }, @@ -5183,6 +5301,16 @@ "registry theme description": { "Color theme from DMS registry": "來自 DMS 登錄檔的色彩主題" }, + "screen position option": { + "Bottom Center": "", + "Bottom Left": "", + "Bottom Right": "", + "Left Center": "", + "Right Center": "", + "Top Center": "", + "Top Left": "", + "Top Right": "" + }, "secondary color": { "Secondary": "" }, @@ -5227,6 +5355,12 @@ "theme browser description": { "Install color themes from the DMS theme registry": "從 DMS 主題登錄檔安裝色彩主題" }, + "theme category option": { + "Auto": "", + "Browse": "", + "Custom": "", + "Generic": "" + }, "theme installation confirmation": { "Install theme '%1' from the DMS registry?": "要從 DMS 登錄檔安裝主題「%1」嗎?" }, @@ -5236,6 +5370,10 @@ "theme search placeholder": { "Search themes...": "搜尋主題..." }, + "tile color option": { + "Primary Container": "", + "Surface Variant": "" + }, "uninstall action button": { "Uninstall": "解除安裝" }, @@ -5269,6 +5407,15 @@ "wallpaper error status": { "Wallpaper Error": "桌布錯誤" }, + "wallpaper fill mode": { + "Fill": "", + "Fit": "", + "Pad": "", + "Stretch": "", + "Tile": "", + "Tile H": "", + "Tile V": "" + }, "wallpaper processing error": { "Wallpaper processing failed": "桌布處理失敗" }, @@ -5281,9 +5428,24 @@ "wallpaper settings external management": { "External Wallpaper Management": "外部桌布管理" }, + "wallpaper transition option": { + "Disc": "", + "Fade": "", + "Iris Bloom": "", + "None": "", + "Pixelate": "", + "Portal": "", + "Random": "", + "Stripes": "", + "Wipe": "" + }, "weather feels like temperature": { "Feels Like %1°": "" }, + "widget style option": { + "Colorful": "", + "Default": "" + }, "wtype not available - install wtype for paste support": { "wtype not available - install wtype for paste support": "wtype 未可用 - 請安裝 wtype 以支援貼上功能" }, diff --git a/quickshell/translations/template.json b/quickshell/translations/template.json index f48b8b8d..5a2040ca 100644 --- a/quickshell/translations/template.json +++ b/quickshell/translations/template.json @@ -447,6 +447,13 @@ "reference": "", "comment": "" }, + { + "term": "Active tile background and icon color", + "translation": "", + "context": "control center tile color setting description", + "reference": "", + "comment": "" + }, { "term": "Active: %1", "translation": "", @@ -975,7 +982,7 @@ { "term": "Auto", "translation": "", - "context": "", + "context": "theme category option", "reference": "", "comment": "" }, @@ -1224,6 +1231,20 @@ "reference": "", "comment": "" }, + { + "term": "Balance power and performance", + "translation": "", + "context": "power profile description", + "reference": "", + "comment": "" + }, + { + "term": "Balanced", + "translation": "", + "context": "power profile option", + "reference": "", + "comment": "" + }, { "term": "Balanced palette with focused accents (default).", "translation": "", @@ -1332,7 +1353,7 @@ { "term": "Bluetooth", "translation": "", - "context": "", + "context": "bluetooth status", "reference": "", "comment": "" }, @@ -1409,21 +1430,28 @@ { "term": "Bottom", "translation": "", - "context": "", + "context": "dock position option", + "reference": "", + "comment": "" + }, + { + "term": "Bottom Center", + "translation": "", + "context": "screen position option", "reference": "", "comment": "" }, { "term": "Bottom Left", "translation": "", - "context": "", + "context": "screen position option", "reference": "", "comment": "" }, { "term": "Bottom Right", "translation": "", - "context": "", + "context": "screen position option", "reference": "", "comment": "" }, @@ -1472,7 +1500,7 @@ { "term": "Browse", "translation": "", - "context": "", + "context": "theme category option", "reference": "", "comment": "" }, @@ -1679,6 +1707,20 @@ "reference": "", "comment": "" }, + { + "term": "Change Song", + "translation": "", + "context": "media scroll wheel option", + "reference": "", + "comment": "" + }, + { + "term": "Change Volume", + "translation": "", + "context": "media scroll wheel option", + "reference": "", + "comment": "" + }, { "term": "Change bar appearance", "translation": "", @@ -1696,7 +1738,7 @@ { "term": "Charging", "translation": "", - "context": "", + "context": "battery status", "reference": "", "comment": "" }, @@ -1819,6 +1861,13 @@ "reference": "", "comment": "" }, + { + "term": "Circle", + "translation": "", + "context": "dock indicator style option", + "reference": "", + "comment": "" + }, { "term": "Clear", "translation": "", @@ -2099,6 +2148,13 @@ "reference": "", "comment": "" }, + { + "term": "Colorful", + "translation": "", + "context": "widget style option", + "reference": "", + "comment": "" + }, { "term": "Colorful mix of bright contrasting accents.", "translation": "", @@ -2326,7 +2382,14 @@ { "term": "Connected", "translation": "", - "context": "KDE Connect connected status", + "context": "KDE Connect connected status | network status", + "reference": "", + "comment": "" + }, + { + "term": "Connected Device", + "translation": "", + "context": "bluetooth status", "reference": "", "comment": "" }, @@ -2351,6 +2414,13 @@ "reference": "", "comment": "" }, + { + "term": "Content", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, { "term": "Contrast", "translation": "", @@ -2365,6 +2435,13 @@ "reference": "", "comment": "" }, + { + "term": "Control Center Tile Color", + "translation": "", + "context": "", + "reference": "", + "comment": "" + }, { "term": "Control currently playing media", "translation": "", @@ -2407,6 +2484,27 @@ "reference": "", "comment": "" }, + { + "term": "Copied GIF", + "translation": "", + "context": "", + "reference": "", + "comment": "" + }, + { + "term": "Copied MP4", + "translation": "", + "context": "", + "reference": "", + "comment": "" + }, + { + "term": "Copied WebP", + "translation": "", + "context": "", + "reference": "", + "comment": "" + }, { "term": "Copied to clipboard", "translation": "", @@ -2463,13 +2561,6 @@ "reference": "", "comment": "" }, - { - "term": "Copy URL", - "translation": "", - "context": "", - "reference": "", - "comment": "" - }, { "term": "Copy path", "translation": "", @@ -2641,7 +2732,7 @@ { "term": "Custom", "translation": "", - "context": "", + "context": "theme category option", "reference": "", "comment": "" }, @@ -2722,6 +2813,13 @@ "reference": "", "comment": "" }, + { + "term": "Custom power profile", + "translation": "", + "context": "power profile description", + "reference": "", + "comment": "" + }, { "term": "Custom theme loaded from JSON file", "translation": "", @@ -2732,7 +2830,7 @@ { "term": "Custom...", "translation": "", - "context": "", + "context": "date format option", "reference": "", "comment": "" }, @@ -2911,6 +3009,20 @@ "reference": "", "comment": "" }, + { + "term": "Day Date", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, + { + "term": "Day Month Date", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, { "term": "Day Temperature", "translation": "", @@ -2935,7 +3047,7 @@ { "term": "Default", "translation": "", - "context": "", + "context": "widget style option", "reference": "", "comment": "" }, @@ -3124,14 +3236,21 @@ { "term": "Disabled", "translation": "", - "context": "lock screen notification mode option", + "context": "bluetooth status | lock screen notification mode option", "reference": "", "comment": "" }, { "term": "Disabling WiFi...", "translation": "", - "context": "", + "context": "network status", + "reference": "", + "comment": "" + }, + { + "term": "Disc", + "translation": "", + "context": "wallpaper transition option", "reference": "", "comment": "" }, @@ -3142,6 +3261,13 @@ "reference": "", "comment": "" }, + { + "term": "Discharging", + "translation": "", + "context": "battery status", + "reference": "", + "comment": "" + }, { "term": "Disconnect", "translation": "", @@ -3523,7 +3649,7 @@ { "term": "Empty", "translation": "", - "context": "", + "context": "battery status", "reference": "", "comment": "" }, @@ -3614,14 +3740,14 @@ { "term": "Enabled", "translation": "", - "context": "", + "context": "bluetooth status", "reference": "", "comment": "" }, { "term": "Enabling WiFi...", "translation": "", - "context": "", + "context": "network status", "reference": "", "comment": "" }, @@ -3775,7 +3901,7 @@ { "term": "Ethernet", "translation": "", - "context": "", + "context": "network status", "reference": "", "comment": "" }, @@ -3807,6 +3933,20 @@ "reference": "", "comment": "" }, + { + "term": "Expressive", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, + { + "term": "Extend battery life", + "translation": "", + "context": "power profile description", + "reference": "", + "comment": "" + }, { "term": "Extensible architecture", "translation": "", @@ -3835,6 +3975,13 @@ "reference": "", "comment": "" }, + { + "term": "Fade", + "translation": "", + "context": "wallpaper transition option", + "reference": "", + "comment": "" + }, { "term": "Fade to lock screen", "translation": "", @@ -4318,6 +4465,13 @@ "reference": "", "comment": "" }, + { + "term": "Fidelity", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, { "term": "File", "translation": "", @@ -4367,6 +4521,13 @@ "reference": "", "comment": "" }, + { + "term": "Fill", + "translation": "", + "context": "wallpaper fill mode", + "reference": "", + "comment": "" + }, { "term": "Find in Text", "translation": "", @@ -4402,6 +4563,13 @@ "reference": "", "comment": "" }, + { + "term": "Fit", + "translation": "", + "context": "wallpaper fill mode", + "reference": "", + "comment": "" + }, { "term": "Fix Now", "translation": "", @@ -4619,6 +4787,13 @@ "reference": "", "comment": "" }, + { + "term": "Fruit Salad", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, { "term": "Full Command:", "translation": "", @@ -4633,6 +4808,27 @@ "reference": "", "comment": "" }, + { + "term": "Full Day & Month", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, + { + "term": "Full with Year", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, + { + "term": "Fully Charged", + "translation": "", + "context": "battery status", + "reference": "", + "comment": "" + }, { "term": "Fun", "translation": "", @@ -4696,6 +4892,13 @@ "reference": "", "comment": "" }, + { + "term": "Generic", + "translation": "", + "context": "theme category option", + "reference": "", + "comment": "" + }, { "term": "Get Started", "translation": "", @@ -5158,6 +5361,13 @@ "reference": "", "comment": "" }, + { + "term": "ISO Date", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, { "term": "Icon", "translation": "", @@ -5466,6 +5676,13 @@ "reference": "", "comment": "" }, + { + "term": "Iris Bloom", + "translation": "", + "context": "wallpaper transition option", + "reference": "", + "comment": "" + }, { "term": "Isolate Displays", "translation": "", @@ -5728,7 +5945,14 @@ { "term": "Left", "translation": "", - "context": "", + "context": "dock position option", + "reference": "", + "comment": "" + }, + { + "term": "Left Center", + "translation": "", + "context": "screen position option", "reference": "", "comment": "" }, @@ -5746,6 +5970,13 @@ "reference": "", "comment": "" }, + { + "term": "Line", + "translation": "", + "context": "dock indicator style option", + "reference": "", + "comment": "" + }, { "term": "Linear", "translation": "", @@ -6404,6 +6635,13 @@ "reference": "", "comment": "" }, + { + "term": "Monochrome", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, { "term": "Monocle", "translation": "", @@ -6418,6 +6656,13 @@ "reference": "", "comment": "" }, + { + "term": "Month Date", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, { "term": "Morning", "translation": "", @@ -6467,6 +6712,13 @@ "reference": "", "comment": "" }, + { + "term": "Muted", + "translation": "", + "context": "audio status", + "reference": "", + "comment": "" + }, { "term": "Muted palette with subdued, calming tones.", "translation": "", @@ -6558,6 +6810,13 @@ "reference": "", "comment": "" }, + { + "term": "Neutral", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, { "term": "Never", "translation": "", @@ -6691,6 +6950,13 @@ "reference": "", "comment": "" }, + { + "term": "No Battery", + "translation": "", + "context": "battery status", + "reference": "", + "comment": "" + }, { "term": "No Bluetooth adapter found", "translation": "", @@ -6754,10 +7020,17 @@ "reference": "", "comment": "" }, + { + "term": "No adapter", + "translation": "", + "context": "bluetooth status", + "reference": "", + "comment": "" + }, { "term": "No adapters", "translation": "", - "context": "", + "context": "bluetooth status", "reference": "", "comment": "" }, @@ -6813,7 +7086,7 @@ { "term": "No devices", "translation": "", - "context": "KDE Connect no devices status", + "context": "KDE Connect no devices status | bluetooth status", "reference": "", "comment": "" }, @@ -6887,6 +7160,13 @@ "reference": "", "comment": "" }, + { + "term": "No input device", + "translation": "", + "context": "audio status", + "reference": "", + "comment": "" + }, { "term": "No items added yet", "translation": "", @@ -6929,6 +7209,13 @@ "reference": "", "comment": "" }, + { + "term": "No output device", + "translation": "", + "context": "audio status", + "reference": "", + "comment": "" + }, { "term": "No plugin results", "translation": "", @@ -7044,7 +7331,7 @@ { "term": "None", "translation": "", - "context": "", + "context": "wallpaper transition option", "reference": "", "comment": "" }, @@ -7079,7 +7366,7 @@ { "term": "Not connected", "translation": "", - "context": "", + "context": "network status", "reference": "", "comment": "" }, @@ -7125,6 +7412,13 @@ "reference": "", "comment": "" }, + { + "term": "Nothing", + "translation": "", + "context": "media scroll wheel option", + "reference": "", + "comment": "" + }, { "term": "Nothing to see here", "translation": "", @@ -7195,6 +7489,20 @@ "reference": "", "comment": "" }, + { + "term": "Numeric (D/M)", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, + { + "term": "Numeric (M/D)", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, { "term": "OK", "translation": "", @@ -7226,7 +7534,7 @@ { "term": "Off", "translation": "", - "context": "", + "context": "bluetooth status", "reference": "", "comment": "" }, @@ -7531,6 +7839,13 @@ "reference": "", "comment": "" }, + { + "term": "Pad", + "translation": "", + "context": "wallpaper fill mode", + "reference": "", + "comment": "" + }, { "term": "Pad Hours", "translation": "", @@ -7650,6 +7965,20 @@ "reference": "", "comment": "" }, + { + "term": "Pending Charge", + "translation": "", + "context": "battery status", + "reference": "", + "comment": "" + }, + { + "term": "Pending Discharge", + "translation": "", + "context": "battery status", + "reference": "", + "comment": "" + }, { "term": "Per-Mode Wallpapers", "translation": "", @@ -7681,7 +8010,7 @@ { "term": "Performance", "translation": "", - "context": "", + "context": "power profile option", "reference": "", "comment": "" }, @@ -7755,6 +8084,13 @@ "reference": "", "comment": "" }, + { + "term": "Pixelate", + "translation": "", + "context": "wallpaper transition option", + "reference": "", + "comment": "" + }, { "term": "Place plugin directories here. Each plugin should have a plugin.json manifest file.", "translation": "", @@ -7804,10 +8140,17 @@ "reference": "", "comment": "" }, + { + "term": "Please wait...", + "translation": "", + "context": "network status", + "reference": "", + "comment": "" + }, { "term": "Plugged In", "translation": "", - "context": "", + "context": "battery status", "reference": "", "comment": "" }, @@ -7888,6 +8231,13 @@ "reference": "", "comment": "" }, + { + "term": "Portal", + "translation": "", + "context": "wallpaper transition option", + "reference": "", + "comment": "" + }, { "term": "Position", "translation": "", @@ -7972,6 +8322,13 @@ "reference": "", "comment": "" }, + { + "term": "Power Saver", + "translation": "", + "context": "power profile option", + "reference": "", + "comment": "" + }, { "term": "Power off monitors on lock", "translation": "", @@ -8052,7 +8409,14 @@ { "term": "Primary", "translation": "", - "context": "primary color", + "context": "color option | primary color | tile color option", + "reference": "", + "comment": "" + }, + { + "term": "Primary Container", + "translation": "", + "context": "tile color option", "reference": "", "comment": "" }, @@ -8119,6 +8483,13 @@ "reference": "", "comment": "" }, + { + "term": "Prioritize performance", + "translation": "", + "context": "power profile description", + "reference": "", + "comment": "" + }, { "term": "Privacy Indicator", "translation": "", @@ -8231,6 +8602,20 @@ "reference": "", "comment": "" }, + { + "term": "Rainbow", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, + { + "term": "Random", + "translation": "", + "context": "wallpaper transition option", + "reference": "", + "comment": "" + }, { "term": "Rate", "translation": "", @@ -8507,7 +8892,14 @@ { "term": "Right", "translation": "", - "context": "", + "context": "dock position option", + "reference": "", + "comment": "" + }, + { + "term": "Right Center", + "translation": "", + "context": "screen position option", "reference": "", "comment": "" }, @@ -8920,7 +9312,7 @@ { "term": "Secondary", "translation": "", - "context": "secondary color", + "context": "color option | secondary color | tile color option", "reference": "", "comment": "" }, @@ -9043,6 +9435,13 @@ "reference": "", "comment": "" }, + { + "term": "Select device", + "translation": "", + "context": "audio status", + "reference": "", + "comment": "" + }, { "term": "Select device...", "translation": "", @@ -9078,6 +9477,13 @@ "reference": "", "comment": "" }, + { + "term": "Select network", + "translation": "", + "context": "network status", + "reference": "", + "comment": "" + }, { "term": "Select system sound theme", "translation": "", @@ -10100,6 +10506,20 @@ "reference": "", "comment": "" }, + { + "term": "Stretch", + "translation": "", + "context": "wallpaper fill mode", + "reference": "", + "comment": "" + }, + { + "term": "Stripes", + "translation": "", + "context": "wallpaper transition option", + "reference": "", + "comment": "" + }, { "term": "Sunrise", "translation": "", @@ -10124,7 +10544,14 @@ { "term": "Surface", "translation": "", - "context": "shadow color option", + "context": "color option | shadow color option", + "reference": "", + "comment": "" + }, + { + "term": "Surface Variant", + "translation": "", + "context": "tile color option", "reference": "", "comment": "" }, @@ -10205,6 +10632,13 @@ "reference": "", "comment": "" }, + { + "term": "System Default", + "translation": "", + "context": "date format option", + "reference": "", + "comment": "" + }, { "term": "System Information", "translation": "", @@ -10457,6 +10891,27 @@ "reference": "", "comment": "" }, + { + "term": "Tile", + "translation": "", + "context": "wallpaper fill mode", + "reference": "", + "comment": "" + }, + { + "term": "Tile H", + "translation": "", + "context": "wallpaper fill mode", + "reference": "", + "comment": "" + }, + { + "term": "Tile V", + "translation": "", + "context": "wallpaper fill mode", + "reference": "", + "comment": "" + }, { "term": "Tiling", "translation": "", @@ -10583,6 +11038,13 @@ "reference": "", "comment": "" }, + { + "term": "Tonal Spot", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, { "term": "Toner Empty", "translation": "", @@ -10607,7 +11069,7 @@ { "term": "Top", "translation": "", - "context": "", + "context": "dock position option", "reference": "", "comment": "" }, @@ -10618,10 +11080,17 @@ "reference": "", "comment": "" }, + { + "term": "Top Center", + "translation": "", + "context": "screen position option", + "reference": "", + "comment": "" + }, { "term": "Top Left", "translation": "", - "context": "", + "context": "screen position option", "reference": "", "comment": "" }, @@ -10635,7 +11104,7 @@ { "term": "Top Right", "translation": "", - "context": "", + "context": "screen position option", "reference": "", "comment": "" }, @@ -10845,7 +11314,7 @@ { "term": "Unknown", "translation": "", - "context": "KDE Connect unknown device status | unknown author", + "context": "KDE Connect unknown device status | battery status | power profile option | unknown author | widget status", "reference": "", "comment": "" }, @@ -11325,6 +11794,13 @@ "reference": "", "comment": "" }, + { + "term": "Vibrant", + "translation": "", + "context": "matugen color scheme option", + "reference": "", + "comment": "" + }, { "term": "Vibrant palette with playful saturation.", "translation": "", @@ -11563,6 +12039,13 @@ "reference": "", "comment": "" }, + { + "term": "WiFi off", + "translation": "", + "context": "network status", + "reference": "", + "comment": "" + }, { "term": "Wide (BT2020)", "translation": "", @@ -11710,6 +12193,13 @@ "reference": "", "comment": "" }, + { + "term": "Wipe", + "translation": "", + "context": "wallpaper transition option", + "reference": "", + "comment": "" + }, { "term": "Workspace", "translation": "",