1
0
mirror of https://github.com/AvengeMedia/DankMaterialShell.git synced 2026-04-14 17:52:10 -04:00

clipboard: fix file transfer & export functionality

- grants read to all installed flatpak apps
This commit is contained in:
bbedward
2026-01-26 17:58:06 -05:00
parent 705d5b04dd
commit 8499033221
30 changed files with 3940 additions and 838 deletions

View File

@@ -14,7 +14,7 @@ repos:
hooks: hooks:
- id: go-mod-tidy - id: go-mod-tidy
name: go mod tidy name: go mod tidy
entry: go mod tidy entry: bash -c 'cd core && go mod tidy'
language: system language: system
files: (go\.mod|go\.sum|\.go)$ files: ^core/.*\.(go|mod|sum)$
pass_filenames: false pass_filenames: false

View File

@@ -23,7 +23,6 @@ import (
"syscall" "syscall"
"time" "time"
"github.com/godbus/dbus/v5"
bolt "go.etcd.io/bbolt" bolt "go.etcd.io/bbolt"
_ "golang.org/x/image/bmp" _ "golang.org/x/image/bmp"
_ "golang.org/x/image/tiff" _ "golang.org/x/image/tiff"
@@ -920,55 +919,99 @@ func downloadToTempFile(rawURL string) (string, error) {
} }
func copyFileToClipboard(filePath 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) transferKey, err := startPortalFileTransfer(filePath)
if err != nil { if err != nil {
log.Warnf("portal file transfer unavailable: %v", err) log.Warnf("portal file transfer unavailable: %v", err)
} }
offers := []clipboard.Offer{ portalOnly := os.Getenv("DMS_PORTAL_ONLY") == "1"
{MimeType: "text/uri-list", Data: []byte(fileURI + "\r\n")},
} var offers []clipboard.Offer
if transferKey != "" { if transferKey != "" {
offers = append(offers, clipboard.Offer{ offers = append(offers, clipboard.Offer{
MimeType: "application/vnd.portal.filetransfer", MimeType: "application/vnd.portal.filetransfer",
Data: []byte(transferKey), 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) 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) { 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 { if err != nil {
return "", fmt.Errorf("connect session bus: %w", err) return "", fmt.Errorf("server request: %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)
} }
fd, err := syscall.Open(filePath, syscall.O_RDONLY, 0) if resp.Error != "" {
if err != nil { return "", fmt.Errorf("server error: %s", resp.Error)
return "", fmt.Errorf("open file: %w", err)
} }
addOptions := map[string]dbus.Variant{} result, ok := (*resp.Result).(map[string]any)
if err := portal.Call("org.freedesktop.portal.FileTransfer.AddFiles", 0, key, []dbus.UnixFD{dbus.UnixFD(fd)}, addOptions).Err; err != nil { if !ok {
syscall.Close(fd) return "", fmt.Errorf("invalid response format")
return "", fmt.Errorf("add files: %w", err) }
key, ok := result["key"].(string)
if !ok {
return "", fmt.Errorf("missing key in response")
} }
syscall.Close(fd)
return key, nil return key, nil
} }

View File

@@ -45,6 +45,10 @@ func HandleRequest(conn net.Conn, req models.Request, m *Manager) {
handleGetPinnedEntries(conn, req, m) handleGetPinnedEntries(conn, req, m)
case "clipboard.getPinnedCount": case "clipboard.getPinnedCount":
handleGetPinnedCount(conn, req, m) handleGetPinnedCount(conn, req, m)
case "clipboard.startFileTransfer":
handleStartFileTransfer(conn, req, m)
case "clipboard.exportFile":
handleExportFile(conn, req, m)
default: default:
models.RespondError(conn, req.ID, "unknown method: "+req.Method) 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() count := m.GetPinnedCount()
models.Respond(conn, req.ID, map[string]int{"count": count}) 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})
}

View File

@@ -10,6 +10,7 @@ import (
_ "image/png" _ "image/png"
"io" "io"
"os" "os"
"os/exec"
"path/filepath" "path/filepath"
"slices" "slices"
"strings" "strings"
@@ -19,6 +20,7 @@ import (
"hash/fnv" "hash/fnv"
"github.com/fsnotify/fsnotify" "github.com/fsnotify/fsnotify"
"github.com/godbus/dbus/v5"
_ "golang.org/x/image/bmp" _ "golang.org/x/image/bmp"
_ "golang.org/x/image/tiff" _ "golang.org/x/image/tiff"
_ "golang.org/x/image/webp" _ "golang.org/x/image/webp"
@@ -1529,3 +1531,133 @@ func (m *Manager) GetPinnedCount() int {
return count 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
}

View File

@@ -7,6 +7,7 @@ import (
"sync" "sync"
"time" "time"
"github.com/godbus/dbus/v5"
bolt "go.etcd.io/bbolt" bolt "go.etcd.io/bbolt"
"github.com/AvengeMedia/DankMaterialShell/core/internal/server/wlcontext" "github.com/AvengeMedia/DankMaterialShell/core/internal/server/wlcontext"
@@ -157,6 +158,9 @@ type Manager struct {
dirty chan struct{} dirty chan struct{}
notifierWg sync.WaitGroup notifierWg sync.WaitGroup
lastState *State lastState *State
dbusConn *dbus.Conn
transferFiles []*os.File // Keep files open for portal transfers
} }
func (m *Manager) GetState() State { func (m *Manager) GetState() State {

View File

@@ -452,39 +452,39 @@ Singleton {
readonly property var availableMatugenSchemes: [({ readonly property var availableMatugenSchemes: [({
"value": "scheme-tonal-spot", "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).") "description": I18n.tr("Balanced palette with focused accents (default).")
}), ({ }), ({
"value": "scheme-vibrant", "value": "scheme-vibrant",
"label": "Vibrant", "label": I18n.tr("Vibrant", "matugen color scheme option"),
"description": I18n.tr("Lively palette with saturated accents.") "description": I18n.tr("Lively palette with saturated accents.")
}), ({ }), ({
"value": "scheme-content", "value": "scheme-content",
"label": "Content", "label": I18n.tr("Content", "matugen color scheme option"),
"description": I18n.tr("Derives colors that closely match the underlying image.") "description": I18n.tr("Derives colors that closely match the underlying image.")
}), ({ }), ({
"value": "scheme-expressive", "value": "scheme-expressive",
"label": "Expressive", "label": I18n.tr("Expressive", "matugen color scheme option"),
"description": I18n.tr("Vibrant palette with playful saturation.") "description": I18n.tr("Vibrant palette with playful saturation.")
}), ({ }), ({
"value": "scheme-fidelity", "value": "scheme-fidelity",
"label": "Fidelity", "label": I18n.tr("Fidelity", "matugen color scheme option"),
"description": I18n.tr("High-fidelity palette that preserves source hues.") "description": I18n.tr("High-fidelity palette that preserves source hues.")
}), ({ }), ({
"value": "scheme-fruit-salad", "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.") "description": I18n.tr("Colorful mix of bright contrasting accents.")
}), ({ }), ({
"value": "scheme-monochrome", "value": "scheme-monochrome",
"label": "Monochrome", "label": I18n.tr("Monochrome", "matugen color scheme option"),
"description": I18n.tr("Minimal palette built around a single hue.") "description": I18n.tr("Minimal palette built around a single hue.")
}), ({ }), ({
"value": "scheme-neutral", "value": "scheme-neutral",
"label": "Neutral", "label": I18n.tr("Neutral", "matugen color scheme option"),
"description": I18n.tr("Muted palette with subdued, calming tones.") "description": I18n.tr("Muted palette with subdued, calming tones.")
}), ({ }), ({
"value": "scheme-rainbow", "value": "scheme-rainbow",
"label": "Rainbow", "label": I18n.tr("Rainbow", "matugen color scheme option"),
"description": I18n.tr("Diverse palette spanning the full spectrum.") "description": I18n.tr("Diverse palette spanning the full spectrum.")
})] })]
@@ -1102,26 +1102,26 @@ Singleton {
function getPowerProfileLabel(profile) { function getPowerProfileLabel(profile) {
switch (profile) { switch (profile) {
case 0: case 0:
return "Power Saver"; return I18n.tr("Power Saver", "power profile option");
case 1: case 1:
return "Balanced"; return I18n.tr("Balanced", "power profile option");
case 2: case 2:
return "Performance"; return I18n.tr("Performance", "power profile option");
default: default:
return "Unknown"; return I18n.tr("Unknown", "power profile option");
} }
} }
function getPowerProfileDescription(profile) { function getPowerProfileDescription(profile) {
switch (profile) { switch (profile) {
case 0: case 0:
return "Extend battery life"; return I18n.tr("Extend battery life", "power profile description");
case 1: case 1:
return "Balance power and performance"; return I18n.tr("Balance power and performance", "power profile description");
case 2: case 2:
return "Prioritize performance"; return I18n.tr("Prioritize performance", "power profile description");
default: default:
return "Custom power profile"; return I18n.tr("Custom power profile", "power profile description");
} }
} }

View File

@@ -328,12 +328,25 @@ Item {
function loadPluginCategories(pluginId) { function loadPluginCategories(pluginId) {
if (!pluginId) { if (!pluginId) {
activePluginCategories = []; if (activePluginCategories.length > 0) {
activePluginCategory = ""; activePluginCategories = [];
activePluginCategory = "";
}
return; return;
} }
const categories = AppSearchService.getPluginLauncherCategories(pluginId); 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; activePluginCategories = categories;
activePluginCategory = ""; activePluginCategory = "";
AppSearchService.setPluginLauncherCategory(pluginId, ""); AppSearchService.setPluginLauncherCategory(pluginId, "");

View File

@@ -274,39 +274,39 @@ Column {
case "wifi": case "wifi":
{ {
if (NetworkService.wifiToggling) 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; const status = NetworkService.networkStatus;
if (status === "ethernet") if (status === "ethernet")
return "Ethernet"; return I18n.tr("Ethernet", "network status");
if (status === "vpn") { if (status === "vpn") {
if (NetworkService.ethernetConnected) if (NetworkService.ethernetConnected)
return "Ethernet"; return I18n.tr("Ethernet", "network status");
if (NetworkService.wifiConnected && NetworkService.currentWifiSSID) if (NetworkService.wifiConnected && NetworkService.currentWifiSSID)
return NetworkService.currentWifiSSID; return NetworkService.currentWifiSSID;
} }
if (status === "wifi" && NetworkService.currentWifiSSID) if (status === "wifi" && NetworkService.currentWifiSSID)
return NetworkService.currentWifiSSID; return NetworkService.currentWifiSSID;
if (NetworkService.wifiEnabled) if (NetworkService.wifiEnabled)
return "Not connected"; return I18n.tr("Not connected", "network status");
return "WiFi off"; return I18n.tr("WiFi off", "network status");
} }
case "bluetooth": case "bluetooth":
{ {
if (!BluetoothService.available) if (!BluetoothService.available)
return "Bluetooth"; return I18n.tr("Bluetooth", "bluetooth status");
if (!BluetoothService.adapter) if (!BluetoothService.adapter)
return "No adapter"; return I18n.tr("No adapter", "bluetooth status");
if (!BluetoothService.adapter.enabled) if (!BluetoothService.adapter.enabled)
return "Disabled"; return I18n.tr("Disabled", "bluetooth status");
return "Enabled"; return I18n.tr("Enabled", "bluetooth status");
} }
case "audioOutput": case "audioOutput":
return AudioService.sink?.description || "No output device"; return AudioService.sink?.description || I18n.tr("No output device", "audio status");
case "audioInput": case "audioInput":
return AudioService.source?.description || "No input device"; return AudioService.source?.description || I18n.tr("No input device", "audio status");
default: default:
return widgetDef?.text || "Unknown"; return widgetDef?.text || I18n.tr("Unknown", "widget status");
} }
} }
secondaryText: { secondaryText: {
@@ -314,29 +314,29 @@ Column {
case "wifi": case "wifi":
{ {
if (NetworkService.wifiToggling) if (NetworkService.wifiToggling)
return "Please wait..."; return I18n.tr("Please wait...", "network status");
const status = NetworkService.networkStatus; const status = NetworkService.networkStatus;
if (status === "ethernet") if (status === "ethernet")
return "Connected"; return I18n.tr("Connected", "network status");
if (status === "vpn") { if (status === "vpn") {
if (NetworkService.ethernetConnected) if (NetworkService.ethernetConnected)
return "Connected"; return I18n.tr("Connected", "network status");
if (NetworkService.wifiConnected) if (NetworkService.wifiConnected)
return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : "Connected"; return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : I18n.tr("Connected", "network status");
} }
if (status === "wifi") if (status === "wifi")
return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : "Connected"; return NetworkService.wifiSignalStrength > 0 ? NetworkService.wifiSignalStrength + "%" : I18n.tr("Connected", "network status");
if (NetworkService.wifiEnabled) if (NetworkService.wifiEnabled)
return "Select network"; return I18n.tr("Select network", "network status");
return ""; return "";
} }
case "bluetooth": case "bluetooth":
{ {
if (!BluetoothService.available) if (!BluetoothService.available)
return "No adapters"; return I18n.tr("No adapters", "bluetooth status");
if (!BluetoothService.adapter || !BluetoothService.adapter.enabled) if (!BluetoothService.adapter || !BluetoothService.adapter.enabled)
return "Off"; return I18n.tr("Off", "bluetooth status");
const primaryDevice = (() => { const primaryDevice = (() => {
if (!BluetoothService.adapter || !BluetoothService.adapter.devices) if (!BluetoothService.adapter || !BluetoothService.adapter.devices)
return null; return null;
@@ -348,15 +348,15 @@ Column {
return null; return null;
})(); })();
if (primaryDevice) if (primaryDevice)
return primaryDevice.name || primaryDevice.alias || primaryDevice.deviceName || "Connected Device"; return primaryDevice.name || primaryDevice.alias || primaryDevice.deviceName || I18n.tr("Connected Device", "bluetooth status");
return "No devices"; return I18n.tr("No devices", "bluetooth status");
} }
case "audioOutput": case "audioOutput":
{ {
if (!AudioService.sink) if (!AudioService.sink)
return "Select device"; return I18n.tr("Select device", "audio status");
if (AudioService.sink.audio.muted) if (AudioService.sink.audio.muted)
return "Muted"; return I18n.tr("Muted", "audio status");
const volume = AudioService.sink.audio.volume; const volume = AudioService.sink.audio.volume;
if (typeof volume !== "number" || isNaN(volume)) if (typeof volume !== "number" || isNaN(volume))
return "0%"; return "0%";
@@ -365,9 +365,9 @@ Column {
case "audioInput": case "audioInput":
{ {
if (!AudioService.source) if (!AudioService.source)
return "Select device"; return I18n.tr("Select device", "audio status");
if (AudioService.source.audio.muted) if (AudioService.source.audio.muted)
return "Muted"; return I18n.tr("Muted", "audio status");
const volume = AudioService.source.audio.volume; const volume = AudioService.source.audio.volume;
if (typeof volume !== "number" || isNaN(volume)) if (typeof volume !== "number" || isNaN(volume))
return "0%"; return "0%";
@@ -606,7 +606,7 @@ Column {
case "idleInhibitor": case "idleInhibitor":
return SessionService.idleInhibited ? I18n.tr("Keeping Awake") : I18n.tr("Keep Awake"); return SessionService.idleInhibited ? I18n.tr("Keeping Awake") : I18n.tr("Keep Awake");
default: default:
return "Unknown"; return I18n.tr("Unknown", "widget status");
} }
} }

View File

@@ -28,7 +28,7 @@ Item {
SettingsButtonGroupRow { SettingsButtonGroupRow {
text: I18n.tr("Position") 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 buttonPadding: Theme.spacingS
minButtonWidth: 44 minButtonWidth: 44
textSize: Theme.fontSizeSmall textSize: Theme.fontSizeSmall
@@ -151,7 +151,7 @@ Item {
settingKey: "dockIndicatorStyle" settingKey: "dockIndicatorStyle"
tags: ["dock", "indicator", "style", "circle", "line"] tags: ["dock", "indicator", "style", "circle", "line"]
text: I18n.tr("Indicator Style") 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 buttonPadding: Theme.spacingS
minButtonWidth: 44 minButtonWidth: 44
textSize: Theme.fontSizeSmall textSize: Theme.fontSizeSmall
@@ -500,7 +500,7 @@ Item {
text: I18n.tr("Border Color") text: I18n.tr("Border Color")
description: I18n.tr("Choose the border accent color") description: I18n.tr("Choose the border accent color")
visible: SettingsData.dockBorderEnabled 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 buttonPadding: Theme.spacingS
minButtonWidth: 44 minButtonWidth: 44
textSize: Theme.fontSizeSmall textSize: Theme.fontSizeSmall

View File

@@ -47,22 +47,22 @@ Item {
} }
SettingsDropdownRow { SettingsDropdownRow {
property var scrollOpts: { property var scrollOptsInternal: ["volume", "song", "nothing"]
"Change Volume": "volume", 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")]
"Change Song": "song",
"Nothing": "nothing"
}
text: I18n.tr("Scroll Wheel") text: I18n.tr("Scroll Wheel")
description: I18n.tr("Scroll wheel behavior on media widget") description: I18n.tr("Scroll wheel behavior on media widget")
settingKey: "audioScrollMode" settingKey: "audioScrollMode"
tags: ["media", "music", "scroll"] tags: ["media", "music", "scroll"]
options: Object.keys(scrollOpts).sort() options: scrollOptsDisplay
currentValue: { 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 => { onValueChanged: value => {
SettingsData.set("audioScrollMode", scrollOpts[value]) const idx = scrollOptsDisplay.indexOf(value);
if (idx >= 0)
SettingsData.set("audioScrollMode", scrollOptsInternal[idx]);
} }
} }
} }

View File

@@ -99,38 +99,32 @@ Item {
description: I18n.tr("Choose where notification popups appear on screen") description: I18n.tr("Choose where notification popups appear on screen")
currentValue: { currentValue: {
if (SettingsData.notificationPopupPosition === -1) if (SettingsData.notificationPopupPosition === -1)
return "Top Center"; return I18n.tr("Top Center", "screen position option");
switch (SettingsData.notificationPopupPosition) { switch (SettingsData.notificationPopupPosition) {
case SettingsData.Position.Top: case SettingsData.Position.Top:
return "Top Right"; return I18n.tr("Top Right", "screen position option");
case SettingsData.Position.Bottom: case SettingsData.Position.Bottom:
return "Bottom Left"; return I18n.tr("Bottom Left", "screen position option");
case SettingsData.Position.Left: case SettingsData.Position.Left:
return "Top Left"; return I18n.tr("Top Left", "screen position option");
case SettingsData.Position.Right: case SettingsData.Position.Right:
return "Bottom Right"; return I18n.tr("Bottom Right", "screen position option");
default: 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 => { onValueChanged: value => {
switch (value) { if (value === I18n.tr("Top Right", "screen position option")) {
case "Top Right":
SettingsData.set("notificationPopupPosition", SettingsData.Position.Top); SettingsData.set("notificationPopupPosition", SettingsData.Position.Top);
break; } else if (value === I18n.tr("Top Left", "screen position option")) {
case "Top Left":
SettingsData.set("notificationPopupPosition", SettingsData.Position.Left); SettingsData.set("notificationPopupPosition", SettingsData.Position.Left);
break; } else if (value === I18n.tr("Top Center", "screen position option")) {
case "Top Center":
SettingsData.set("notificationPopupPosition", -1); SettingsData.set("notificationPopupPosition", -1);
break; } else if (value === I18n.tr("Bottom Right", "screen position option")) {
case "Bottom Right":
SettingsData.set("notificationPopupPosition", SettingsData.Position.Right); SettingsData.set("notificationPopupPosition", SettingsData.Position.Right);
break; } else if (value === I18n.tr("Bottom Left", "screen position option")) {
case "Bottom Left":
SettingsData.set("notificationPopupPosition", SettingsData.Position.Bottom); SettingsData.set("notificationPopupPosition", SettingsData.Position.Bottom);
break;
} }
SettingsData.sendTestNotifications(); SettingsData.sendTestNotifications();
} }

View File

@@ -31,52 +31,43 @@ Item {
currentValue: { currentValue: {
switch (SettingsData.osdPosition) { switch (SettingsData.osdPosition) {
case SettingsData.Position.Top: case SettingsData.Position.Top:
return "Top Right"; return I18n.tr("Top Right", "screen position option");
case SettingsData.Position.Left: case SettingsData.Position.Left:
return "Top Left"; return I18n.tr("Top Left", "screen position option");
case SettingsData.Position.TopCenter: case SettingsData.Position.TopCenter:
return "Top Center"; return I18n.tr("Top Center", "screen position option");
case SettingsData.Position.Right: case SettingsData.Position.Right:
return "Bottom Right"; return I18n.tr("Bottom Right", "screen position option");
case SettingsData.Position.Bottom: case SettingsData.Position.Bottom:
return "Bottom Left"; return I18n.tr("Bottom Left", "screen position option");
case SettingsData.Position.BottomCenter: case SettingsData.Position.BottomCenter:
return "Bottom Center"; return I18n.tr("Bottom Center", "screen position option");
case SettingsData.Position.LeftCenter: case SettingsData.Position.LeftCenter:
return "Left Center"; return I18n.tr("Left Center", "screen position option");
case SettingsData.Position.RightCenter: case SettingsData.Position.RightCenter:
return "Right Center"; return I18n.tr("Right Center", "screen position option");
default: 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 => { onValueChanged: value => {
switch (value) { if (value === I18n.tr("Top Right", "screen position option")) {
case "Top Right":
SettingsData.set("osdPosition", SettingsData.Position.Top); SettingsData.set("osdPosition", SettingsData.Position.Top);
break; } else if (value === I18n.tr("Top Left", "screen position option")) {
case "Top Left":
SettingsData.set("osdPosition", SettingsData.Position.Left); SettingsData.set("osdPosition", SettingsData.Position.Left);
break; } else if (value === I18n.tr("Top Center", "screen position option")) {
case "Top Center":
SettingsData.set("osdPosition", SettingsData.Position.TopCenter); SettingsData.set("osdPosition", SettingsData.Position.TopCenter);
break; } else if (value === I18n.tr("Bottom Right", "screen position option")) {
case "Bottom Right":
SettingsData.set("osdPosition", SettingsData.Position.Right); SettingsData.set("osdPosition", SettingsData.Position.Right);
break; } else if (value === I18n.tr("Bottom Left", "screen position option")) {
case "Bottom Left":
SettingsData.set("osdPosition", SettingsData.Position.Bottom); SettingsData.set("osdPosition", SettingsData.Position.Bottom);
break; } else if (value === I18n.tr("Bottom Center", "screen position option")) {
case "Bottom Center":
SettingsData.set("osdPosition", SettingsData.Position.BottomCenter); SettingsData.set("osdPosition", SettingsData.Position.BottomCenter);
break; } else if (value === I18n.tr("Left Center", "screen position option")) {
case "Left Center":
SettingsData.set("osdPosition", SettingsData.Position.LeftCenter); SettingsData.set("osdPosition", SettingsData.Position.LeftCenter);
break; } else if (value === I18n.tr("Right Center", "screen position option")) {
case "Right Center":
SettingsData.set("osdPosition", SettingsData.Position.RightCenter); SettingsData.set("osdPosition", SettingsData.Position.RightCenter);
break;
} }
} }
} }

View File

@@ -281,7 +281,7 @@ Item {
return 0; 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 currentIndex: pendingIndex >= 0 ? pendingIndex : computedIndex
selectionMode: "single" selectionMode: "single"
onSelectionChanged: (index, selected) => { onSelectionChanged: (index, selected) => {
@@ -1440,7 +1440,7 @@ Item {
settingKey: "widgetColorMode" settingKey: "widgetColorMode"
text: I18n.tr("Widget Style") text: I18n.tr("Widget Style")
description: I18n.tr("Change bar appearance") 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 currentIndex: SettingsData.widgetColorMode === "colorful" ? 1 : 0
onSelectionChanged: (index, selected) => { onSelectionChanged: (index, selected) => {
if (!selected) if (!selected)
@@ -1489,32 +1489,28 @@ Item {
tags: ["control", "center", "tile", "button", "color", "active"] tags: ["control", "center", "tile", "button", "color", "active"]
settingKey: "controlCenterTileColorMode" settingKey: "controlCenterTileColorMode"
text: I18n.tr("Control Center Tile Color") text: I18n.tr("Control Center Tile Color")
description: I18n.tr("Active tile background and icon color") description: I18n.tr("Active tile background and icon color", "control center tile color setting description")
options: ["Primary", "Primary Container", "Secondary", "Surface Variant"] 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: { currentValue: {
switch (SettingsData.controlCenterTileColorMode) { switch (SettingsData.controlCenterTileColorMode) {
case "primaryContainer": case "primaryContainer":
return "Primary Container"; return I18n.tr("Primary Container", "tile color option");
case "secondary": case "secondary":
return "Secondary"; return I18n.tr("Secondary", "tile color option");
case "surfaceVariant": case "surfaceVariant":
return "Surface Variant"; return I18n.tr("Surface Variant", "tile color option");
default: default:
return "Primary"; return I18n.tr("Primary", "tile color option");
} }
} }
onValueChanged: value => { onValueChanged: value => {
switch (value) { if (value === I18n.tr("Primary Container", "tile color option")) {
case "Primary Container":
SettingsData.set("controlCenterTileColorMode", "primaryContainer"); SettingsData.set("controlCenterTileColorMode", "primaryContainer");
return; } else if (value === I18n.tr("Secondary", "tile color option")) {
case "Secondary":
SettingsData.set("controlCenterTileColorMode", "secondary"); SettingsData.set("controlCenterTileColorMode", "secondary");
return; } else if (value === I18n.tr("Surface Variant", "tile color option")) {
case "Surface Variant":
SettingsData.set("controlCenterTileColorMode", "surfaceVariant"); SettingsData.set("controlCenterTileColorMode", "surfaceVariant");
return; } else {
default:
SettingsData.set("controlCenterTileColorMode", "primary"); SettingsData.set("controlCenterTileColorMode", "primary");
} }
} }

View File

@@ -75,60 +75,59 @@ Item {
settingKey: "clockDateFormat" settingKey: "clockDateFormat"
text: I18n.tr("Top Bar Format") text: I18n.tr("Top Bar Format")
description: "Preview: " + (SettingsData.clockDateFormat ? new Date().toLocaleDateString(Qt.locale(), SettingsData.clockDateFormat) : new Date().toLocaleDateString(Qt.locale(), "ddd d")) 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: { currentValue: {
if (!SettingsData.clockDateFormat || SettingsData.clockDateFormat.length === 0) if (!SettingsData.clockDateFormat || SettingsData.clockDateFormat.length === 0)
return "System Default"; return I18n.tr("System Default", "date format option");
const presets = [ const presets = [
{ {
"format": "ddd d", "format": "ddd d",
"label": "Day Date" "label": I18n.tr("Day Date", "date format option")
}, },
{ {
"format": "ddd MMM d", "format": "ddd MMM d",
"label": "Day Month Date" "label": I18n.tr("Day Month Date", "date format option")
}, },
{ {
"format": "MMM d", "format": "MMM d",
"label": "Month Date" "label": I18n.tr("Month Date", "date format option")
}, },
{ {
"format": "M/d", "format": "M/d",
"label": "Numeric (M/D)" "label": I18n.tr("Numeric (M/D)", "date format option")
}, },
{ {
"format": "d/M", "format": "d/M",
"label": "Numeric (D/M)" "label": I18n.tr("Numeric (D/M)", "date format option")
}, },
{ {
"format": "ddd d MMM yyyy", "format": "ddd d MMM yyyy",
"label": "Full with Year" "label": I18n.tr("Full with Year", "date format option")
}, },
{ {
"format": "yyyy-MM-dd", "format": "yyyy-MM-dd",
"label": "ISO Date" "label": I18n.tr("ISO Date", "date format option")
}, },
{ {
"format": "dddd, MMMM d", "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); const match = presets.find(p => p.format === SettingsData.clockDateFormat);
return match ? match.label : I18n.tr("Custom: ") + SettingsData.clockDateFormat; return match ? match.label : I18n.tr("Custom: ") + SettingsData.clockDateFormat;
} }
onValueChanged: value => { onValueChanged: value => {
const formatMap = { const formatMap = {};
"System Default": "", formatMap[I18n.tr("System Default", "date format option")] = "";
"Day Date": "ddd d", formatMap[I18n.tr("Day Date", "date format option")] = "ddd d";
"Day Month Date": "ddd MMM d", formatMap[I18n.tr("Day Month Date", "date format option")] = "ddd MMM d";
"Month Date": "MMM d", formatMap[I18n.tr("Month Date", "date format option")] = "MMM d";
"Numeric (M/D)": "M/d", formatMap[I18n.tr("Numeric (M/D)", "date format option")] = "M/d";
"Numeric (D/M)": "d/M", formatMap[I18n.tr("Numeric (D/M)", "date format option")] = "d/M";
"Full with Year": "ddd d MMM yyyy", formatMap[I18n.tr("Full with Year", "date format option")] = "ddd d MMM yyyy";
"ISO Date": "yyyy-MM-dd", formatMap[I18n.tr("ISO Date", "date format option")] = "yyyy-MM-dd";
"Full Day & Month": "dddd, MMMM d" formatMap[I18n.tr("Full Day & Month", "date format option")] = "dddd, MMMM d";
}; if (value === I18n.tr("Custom...", "date format option")) {
if (value === "Custom...") {
customFormatInput.visible = true; customFormatInput.visible = true;
} else { } else {
customFormatInput.visible = false; customFormatInput.visible = false;
@@ -163,60 +162,59 @@ Item {
settingKey: "lockDateFormat" settingKey: "lockDateFormat"
text: I18n.tr("Lock Screen Format") text: I18n.tr("Lock Screen Format")
description: "Preview: " + (SettingsData.lockDateFormat ? new Date().toLocaleDateString(Qt.locale(), SettingsData.lockDateFormat) : new Date().toLocaleDateString(Qt.locale(), Locale.LongFormat)) 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: { currentValue: {
if (!SettingsData.lockDateFormat || SettingsData.lockDateFormat.length === 0) if (!SettingsData.lockDateFormat || SettingsData.lockDateFormat.length === 0)
return "System Default"; return I18n.tr("System Default", "date format option");
const presets = [ const presets = [
{ {
"format": "ddd d", "format": "ddd d",
"label": "Day Date" "label": I18n.tr("Day Date", "date format option")
}, },
{ {
"format": "ddd MMM d", "format": "ddd MMM d",
"label": "Day Month Date" "label": I18n.tr("Day Month Date", "date format option")
}, },
{ {
"format": "MMM d", "format": "MMM d",
"label": "Month Date" "label": I18n.tr("Month Date", "date format option")
}, },
{ {
"format": "M/d", "format": "M/d",
"label": "Numeric (M/D)" "label": I18n.tr("Numeric (M/D)", "date format option")
}, },
{ {
"format": "d/M", "format": "d/M",
"label": "Numeric (D/M)" "label": I18n.tr("Numeric (D/M)", "date format option")
}, },
{ {
"format": "ddd d MMM yyyy", "format": "ddd d MMM yyyy",
"label": "Full with Year" "label": I18n.tr("Full with Year", "date format option")
}, },
{ {
"format": "yyyy-MM-dd", "format": "yyyy-MM-dd",
"label": "ISO Date" "label": I18n.tr("ISO Date", "date format option")
}, },
{ {
"format": "dddd, MMMM d", "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); const match = presets.find(p => p.format === SettingsData.lockDateFormat);
return match ? match.label : I18n.tr("Custom: ") + SettingsData.lockDateFormat; return match ? match.label : I18n.tr("Custom: ") + SettingsData.lockDateFormat;
} }
onValueChanged: value => { onValueChanged: value => {
const formatMap = { const formatMap = {};
"System Default": "", formatMap[I18n.tr("System Default", "date format option")] = "";
"Day Date": "ddd d", formatMap[I18n.tr("Day Date", "date format option")] = "ddd d";
"Day Month Date": "ddd MMM d", formatMap[I18n.tr("Day Month Date", "date format option")] = "ddd MMM d";
"Month Date": "MMM d", formatMap[I18n.tr("Month Date", "date format option")] = "MMM d";
"Numeric (M/D)": "M/d", formatMap[I18n.tr("Numeric (M/D)", "date format option")] = "M/d";
"Numeric (D/M)": "d/M", formatMap[I18n.tr("Numeric (D/M)", "date format option")] = "d/M";
"Full with Year": "ddd d MMM yyyy", formatMap[I18n.tr("Full with Year", "date format option")] = "ddd d MMM yyyy";
"ISO Date": "yyyy-MM-dd", formatMap[I18n.tr("ISO Date", "date format option")] = "yyyy-MM-dd";
"Full Day & Month": "dddd, MMMM d" formatMap[I18n.tr("Full Day & Month", "date format option")] = "dddd, MMMM d";
}; if (value === I18n.tr("Custom...", "date format option")) {
if (value === "Custom...") {
customLockFormatInput.visible = true; customLockFormatInput.visible = true;
} else { } else {
customLockFormatInput.visible = false; customLockFormatInput.visible = false;

View File

@@ -318,8 +318,9 @@ Item {
DankButtonGroup { DankButtonGroup {
id: fillModeGroup id: fillModeGroup
property var internalModes: ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"]
anchors.horizontalCenter: parent.horizontalCenter 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" selectionMode: "single"
buttonHeight: 28 buttonHeight: 28
minButtonWidth: 48 minButtonWidth: 48
@@ -328,21 +329,18 @@ Item {
textSize: Theme.fontSizeSmall textSize: Theme.fontSizeSmall
checkEnabled: false checkEnabled: false
currentIndex: { currentIndex: {
const modes = ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"]; return internalModes.indexOf(SettingsData.wallpaperFillMode);
return modes.indexOf(SettingsData.wallpaperFillMode);
} }
onSelectionChanged: (index, selected) => { onSelectionChanged: (index, selected) => {
if (!selected) if (!selected)
return; return;
const modes = ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"]; SettingsData.set("wallpaperFillMode", internalModes[index]);
SettingsData.set("wallpaperFillMode", modes[index]);
} }
Connections { Connections {
target: SettingsData target: SettingsData
function onWallpaperFillModeChanged() { function onWallpaperFillModeChanged() {
const modes = ["Stretch", "Fit", "Fill", "Tile", "TileVertically", "TileHorizontally", "Pad"]; fillModeGroup.currentIndex = fillModeGroup.internalModes.indexOf(SettingsData.wallpaperFillMode);
fillModeGroup.currentIndex = modes.indexOf(SettingsData.wallpaperFillMode);
} }
} }
} }
@@ -1134,15 +1132,41 @@ Item {
settingKey: "wallpaperTransition" settingKey: "wallpaperTransition"
text: I18n.tr("Transition Effect") text: I18n.tr("Transition Effect")
description: I18n.tr("Visual effect used when wallpaper changes") description: I18n.tr("Visual effect used when wallpaper changes")
currentValue: {
if (SessionData.wallpaperTransition === "random") function getTransitionLabel(t) {
return "Random"; switch (t) {
return SessionData.wallpaperTransition.charAt(0).toUpperCase() + SessionData.wallpaperTransition.slice(1); 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 => { onValueChanged: value => {
var transition = value.toLowerCase(); const transitionMap = {};
SessionData.setWallpaperTransition(transition); transitionMap[I18n.tr("Random", "wallpaper transition option")] = "random";
SessionData.availableWallpaperTransitions.forEach(t => {
transitionMap[getTransitionLabel(t)] = t;
});
SessionData.setWallpaperTransition(transitionMap[value] || value.toLowerCase());
} }
} }

View File

@@ -74,9 +74,7 @@ Singleton {
} }
} }
const profileValue = BatteryService.isPluggedIn const profileValue = BatteryService.isPluggedIn ? SettingsData.acProfileName : SettingsData.batteryProfileName;
? SettingsData.acProfileName
: SettingsData.batteryProfileName;
if (profileValue !== "") { if (profileValue !== "") {
const targetProfile = parseInt(profileValue); const targetProfile = parseInt(profileValue);
@@ -132,20 +130,39 @@ Singleton {
return batteries.length > 0 ? batteries.reduce((sum, b) => sum + b.energyCapacity, 0) : 0; 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 // Aggregated battery status
readonly property string batteryStatus: { readonly property string batteryStatus: {
if (!batteryAvailable) { if (!batteryAvailable) {
return "No Battery"; return I18n.tr("No Battery", "battery status");
} }
if (isCharging && !batteries.some(b => b.changeRate > 0)) 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); const states = batteries.map(b => b.state);
if (states.every(s => s === states[0])) 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 readonly property bool suggestPowerSaver: false

File diff suppressed because it is too large Load Diff

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "Centro de control" "Control Center": "Centro de control"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "Controlar la reproducción en curso" "Control currently playing media": "Controlar la reproducción en curso"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "Enfriamiento" "Cooldown": "Enfriamiento"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "Copiado al portapapeles" "Copied to clipboard": "Copiado al portapapeles"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "apps" "apps": "apps"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "por %1" "by %1": "por %1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "Tema relajante en tonos pastel basado en Catppuccin" "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 label": {
"Current Theme: %1": "Tema actual: %1" "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": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Seleccionar fondo de pantalla" "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": {
"days": "dias" "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.": {
"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." "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 description": {
"Dynamic colors from wallpaper": "Colores dinámicos desde el fondo de pantalla" "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 not available - lock integration requires DMS socket connection": "loginctl no disponible - integración requiere conexión al socket DMS" "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 error": {
"matugen not found - install matugen package for dynamic theming": "matguen no encontrado - instala el paquete matugen para la tematización dinámica" "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 not found status": {
"Matugen Missing": "Matugen perdido" "Matugen Missing": "Matugen perdido"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "minutos" "minutes": "minutos"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "Ningún archivo de tema personalizado" "No custom theme file": "Ningún archivo de tema personalizado"
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "Buscar complementos..." "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "Tema de color del registro DMS" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "Instalar tema de colores desde el repositorio de temas de DMS" "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": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "¿Instalar el tema '%1' desde el registro DMS?" "Install theme '%1' from the DMS registry?": "¿Instalar el tema '%1' desde el registro DMS?"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "Buscar temas..." "Search themes...": "Buscar temas..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "Desinstalar" "Uninstall": "Desinstalar"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "Error en el fondo de pantalla" "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 error": {
"Wallpaper processing failed": "Fallo en el procesamiento del fondo de pantalla" "Wallpaper processing failed": "Fallo en el procesamiento del fondo de pantalla"
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "Manejo externo del fondo de pantalla" "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": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype no disponible - instala wtype para soporte de pegado" "wtype not available - install wtype for paste support": "wtype no disponible - instala wtype para soporte de pegado"
}, },

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "مرکز کنترل" "Control Center": "مرکز کنترل"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "کنترل رسانه درحال پخش" "Control currently playing media": "کنترل رسانه درحال پخش"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "زمان باقی مانده" "Cooldown": "زمان باقی مانده"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "در کلیپ‌بورد کپی شد" "Copied to clipboard": "در کلیپ‌بورد کپی شد"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "برنامه" "apps": "برنامه"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "توسط %1" "by %1": "توسط %1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "تم پاستلی آرامش‌بخش بر اساس Catppuccin" "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 label": {
"Current Theme: %1": "تم کنونی: %1" "Current Theme: %1": "تم کنونی: %1"
}, },
@@ -4791,6 +4851,18 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "انتخاب تصویر پس‌زمینه" "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": {
"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 config exists but is not included in your compositor config. Display changes won't persist.": "پیکربندی dms/outputs وجود دارد اما در پیکربندی کامپوزیتور شما گنجانده نشده است. تغییرات نمایشگر پایدار نخواهند بود." "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 description": {
"Dynamic colors from wallpaper": "رنگ‌های پویا از تصویر پس‌زمینه" "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 not available - lock integration requires DMS socket connection": "loginctl در دسترس نیست - یکپارچه‌سازی قفل به اتصال سوکت DMS نیاز دارد" "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 error": {
"matugen not found - install matugen package for dynamic theming": "matugen یافت نشد - بسته matugen را برای تم پویا نصب کنید" "matugen not found - install matugen package for dynamic theming": "matugen یافت نشد - بسته matugen را برای تم پویا نصب کنید"
}, },
@@ -5073,6 +5166,11 @@
"matugen not found status": { "matugen not found status": {
"Matugen Missing": "Matugen یافت نشد" "Matugen Missing": "Matugen یافت نشد"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "دقیقه" "minutes": "دقیقه"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "هیچ تم سفارشی یافت نشد" "No custom theme file": "هیچ تم سفارشی یافت نشد"
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "جستجوی افزونه‌ها..." "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "رنگ تم از مخزن DMS" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "نصب تم رنگ‌ها از مخزن تم DMS" "Install color themes from the DMS theme registry": "نصب تم رنگ‌ها از مخزن تم DMS"
}, },
"theme category option": {
"Auto": "",
"Browse": "",
"Custom": "",
"Generic": ""
},
"theme installation confirmation": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "آیا می‌خواهید تم '%1' را از مخزن DMS نصب کنید؟" "Install theme '%1' from the DMS registry?": "آیا می‌خواهید تم '%1' را از مخزن DMS نصب کنید؟"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "جستجوی تم‌ها..." "Search themes...": "جستجوی تم‌ها..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "حذف" "Uninstall": "حذف"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "خطای تصویر پس‌زمینه" "Wallpaper Error": "خطای تصویر پس‌زمینه"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "پردازش تصویر پس‌زمینه ناموفق بود" "Wallpaper processing failed": "پردازش تصویر پس‌زمینه ناموفق بود"
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "مدیریت تصویر پس‌زمینه خارجی" "External Wallpaper Management": "مدیریت تصویر پس‌زمینه خارجی"
}, },
"wallpaper transition option": {
"Disc": "",
"Fade": "",
"Iris Bloom": "",
"None": "",
"Pixelate": "",
"Portal": "",
"Random": "",
"Stripes": "",
"Wipe": ""
},
"weather feels like temperature": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype در دسترس نیست - wtype را برای پشتیبانی از الصاق نصب کنید" "wtype not available - install wtype for paste support": "wtype در دسترس نیست - wtype را برای پشتیبانی از الصاق نصب کنید"
}, },

View File

@@ -282,7 +282,7 @@
"Anonymous Identity (optional)": "Identité anonyme (facultatif)" "Anonymous Identity (optional)": "Identité anonyme (facultatif)"
}, },
"App Customizations": { "App Customizations": {
"App Customizations": "" "App Customizations": "Personnalisation d'appli"
}, },
"App ID Substitutions": { "App ID Substitutions": {
"App ID Substitutions": "Substitutions didentifiant dapplication" "App ID Substitutions": "Substitutions didentifiant dapplication"
@@ -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 dautomatisation ci-dessous pour définir son activation." "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 dautomatisation ci-dessous pour définir son activation."
}, },
"Apps": { "Apps": {
"Apps": "" "Apps": "Applis"
}, },
"Apps Dock": { "Apps Dock": {
"Apps Dock": "" "Apps Dock": "Dock d'applis"
}, },
"Apps Icon": { "Apps Icon": {
"Apps Icon": "Icône des applis" "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 dutilisation, puis par dernière utilisation, puis par ordre alphabétique." "Apps are ordered by usage frequency, then last used, then alphabetically.": "Les applications sont classées par fréquence dutilisation, 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.": "" "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": {
"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." "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" "Autoconnect enabled": "Connexion automatique activée"
}, },
"Automatic Color Mode": { "Automatic Color Mode": {
"Automatic Color Mode": "" "Automatic Color Mode": "Mode de couleurs automatique"
}, },
"Automatic Control": { "Automatic Control": {
"Automatic Control": "Contrôle automatique" "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" "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": "" "Automation": "Automatisation"
}, },
"Available": { "Available": {
"Available": "Disponible" "Available": "Disponible"
@@ -597,7 +597,7 @@
"Browse Plugins": "Parcourir les plugins" "Browse Plugins": "Parcourir les plugins"
}, },
"Browse or search plugins": { "Browse or search plugins": {
"Browse or search plugins": "" "Browse or search plugins": "Chercher des plugins"
}, },
"CPU": { "CPU": {
"CPU": "CPU" "CPU": "CPU"
@@ -630,10 +630,10 @@
"CUPS not available": "CUPS non disponible" "CUPS not available": "CUPS non disponible"
}, },
"Calc": { "Calc": {
"Calc": "" "Calc": "Calc"
}, },
"Calculator": { "Calculator": {
"Calculator": "" "Calculator": "Calculatrice"
}, },
"Camera": { "Camera": {
"Camera": "Caméra" "Camera": "Caméra"
@@ -687,7 +687,7 @@
"Choose Color": "Choisir une couleur" "Choose Color": "Choisir une couleur"
}, },
"Choose Dock Launcher Logo Color": { "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": {
"Choose Launcher Logo Color": "Choisir la couleur du logo du lanceur" "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 linterface de verrouillage. Les autres écrans afficheront une couleur unie pour éviter le marquage OLED." "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 linterface de verrouillage. Les autres écrans afficheront une couleur unie pour éviter le marquage OLED."
}, },
"Chroma Style": { "Chroma Style": {
"Chroma Style": "" "Chroma Style": "Style chromatique"
}, },
"Cipher": { "Cipher": {
"Cipher": "Chiffrement" "Cipher": "Chiffrement"
@@ -804,13 +804,13 @@
"Close": "Fermer" "Close": "Fermer"
}, },
"Close All Windows": { "Close All Windows": {
"Close All Windows": "" "Close All Windows": "Fermer toutes les fenêtres"
}, },
"Close Overview on Launch": { "Close Overview on Launch": {
"Close Overview on Launch": "Fermer la vue densemble au lancement" "Close Overview on Launch": "Fermer la vue densemble au lancement"
}, },
"Close Window": { "Close Window": {
"Close Window": "" "Close Window": "Fermer la fenêtre"
}, },
"Color": { "Color": {
"Color": "Couleur" "Color": "Couleur"
@@ -843,10 +843,10 @@
"Color temperature for night mode": "Température de couleur pour le mode nuit" "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.": "" "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.": "" "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.": {
"Colorful mix of bright contrasting accents.": "Mélange coloré avec des accents lumineux et contrastés." "Colorful mix of bright contrasting accents.": "Mélange coloré avec des accents lumineux et contrastés."
@@ -858,7 +858,7 @@
"Command": "Commande" "Command": "Commande"
}, },
"Commands": { "Commands": {
"Commands": "" "Commands": "Commandes"
}, },
"Communication": { "Communication": {
"Communication": "Communication" "Communication": "Communication"
@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "Centre de contrôle" "Control Center": "Centre de contrôle"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "Contrôle le média en lecture" "Control currently playing media": "Contrôle le média en lecture"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "Temps de recharge" "Cooldown": "Temps de recharge"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "Copié dans le presse-papiers" "Copied to clipboard": "Copié dans le presse-papiers"
}, },
@@ -978,7 +990,7 @@
"Copy Full Command": "Copier commande complète" "Copy Full Command": "Copier commande complète"
}, },
"Copy HTML": { "Copy HTML": {
"Copy HTML": "" "Copy HTML": "Copier HTML"
}, },
"Copy Name": { "Copy Name": {
"Copy Name": "Copier nom" "Copy Name": "Copier nom"
@@ -990,13 +1002,13 @@
"Copy Process Name": "Copier le nom du processus" "Copy Process Name": "Copier le nom du processus"
}, },
"Copy Text": { "Copy Text": {
"Copy Text": "" "Copy Text": "Copier texte"
}, },
"Copy URL": { "Copy URL": {
"Copy URL": "" "Copy URL": "Copier URL"
}, },
"Copy path": { "Copy path": {
"Copy path": "" "Copy path": "Copier chemin"
}, },
"Corner Radius": { "Corner Radius": {
"Corner Radius": "Rayon des coins" "Corner Radius": "Rayon des coins"
@@ -1407,7 +1419,7 @@
"Edge Spacing": "Espacement des bords" "Edge Spacing": "Espacement des bords"
}, },
"Edit App": { "Edit App": {
"Edit App": "" "Edit App": "Editer appli"
}, },
"Education": { "Education": {
"Education": "Éducation" "Education": "Éducation"
@@ -1497,7 +1509,7 @@
"Enter PIN for ": "Saisir le code PIN pour " "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": "" "Enter a new name for this workspace": "Entrer un nom pour cet espace de travail"
}, },
"Enter a search query": { "Enter a search query": {
"Enter a search query": "Saisir une requête de recherche" "Enter a search query": "Saisir une requête de recherche"
@@ -1539,7 +1551,7 @@
"Entry unpinned": "Entrée désépinglée" "Entry unpinned": "Entrée désépinglée"
}, },
"Environment Variables": { "Environment Variables": {
"Environment Variables": "" "Environment Variables": "Variables d'environnement"
}, },
"Error": { "Error": {
"Error": "Erreur" "Error": "Erreur"
@@ -1557,7 +1569,7 @@
"Exponential": "Exponentiel" "Exponential": "Exponentiel"
}, },
"Extra Arguments": { "Extra Arguments": {
"Extra Arguments": "" "Extra Arguments": "Arguments supplémentaires"
}, },
"F1/I: Toggle • F10: Help": { "F1/I: Toggle • F10: Help": {
"F1/I: Toggle • F10: Help": "F1/I : Basculer • F10 : Aide" "F1/I: Toggle • F10: Help": "F1/I : Basculer • F10 : Aide"
@@ -1950,7 +1962,7 @@
"HSV": "HSV" "HSV": "HSV"
}, },
"HTML copied to clipboard": { "HTML copied to clipboard": {
"HTML copied to clipboard": "" "HTML copied to clipboard": "HTML copié dans le presse-papier"
}, },
"Health": { "Health": {
"Health": "Santé" "Health": "Santé"
@@ -1971,7 +1983,7 @@
"Hidden": "Masqué" "Hidden": "Masqué"
}, },
"Hidden Apps": { "Hidden Apps": {
"Hidden Apps": "" "Hidden Apps": "Applis masquées"
}, },
"Hidden Network": { "Hidden Network": {
"Hidden Network": "Réseau masqué" "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.": "" "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": "" "Hide App": "Masquer l'appli"
}, },
"Hide Delay": { "Hide Delay": {
"Hide Delay": "Délai de masquage" "Hide Delay": "Délai de masquage"
@@ -2064,7 +2076,7 @@
"IP Address:": "Adresse IP :" "IP Address:": "Adresse IP :"
}, },
"Icon": { "Icon": {
"Icon": "" "Icon": "Icône"
}, },
"Icon Size": { "Icon Size": {
"Icon Size": "Taille d'icônes" "Icon Size": "Taille d'icônes"
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "Connecté" "Connected": "Connecté"
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "Démarrer kdeconnectd pour utiliser ce plugin" "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 reject pairing": "Échec du rejet de l'appairage",
"Failed to ring device": "Échec de la sonnerie sur l'appareil", "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 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 send ping": "Échec de l'envoi du ping",
"Failed to share": "Échec du partage", "Failed to share": "Échec du partage",
"Pairing failed": "Échec de l'appairage", "Pairing failed": "Échec de l'appairage",
"Unpair failed": "Échec de la déconnexion" "Unpair failed": "Échec de la déconnexion"
}, },
"KDE Connect file browser title": { "KDE Connect file browser title": {
"Select File to Send": "" "Select File to Send": "Sélectionner un fichier à envoyer"
}, },
"KDE Connect file send": { "KDE Connect file send": {
"Sending": "" "Sending": "Envoi"
}, },
"KDE Connect file share notification": { "KDE Connect file share notification": {
"File received from": "Fichier reçu de" "File received from": "Fichier reçu de"
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "Aucun appareil" "No devices": "Aucun appareil"
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "Non appairé" "Not paired": "Non appairé"
}, },
@@ -2291,7 +2309,7 @@
"Ring": "Faire sonner" "Ring": "Faire sonner"
}, },
"KDE Connect send file button": { "KDE Connect send file button": {
"Send File": "" "Send File": "Envoyer un fichier"
}, },
"KDE Connect service unavailable message": { "KDE Connect service unavailable message": {
"KDE Connect unavailable": "KDE Connect indisponible" "KDE Connect unavailable": "KDE Connect indisponible"
@@ -2300,13 +2318,13 @@
"Share URL": "Partager l'URL" "Share URL": "Partager l'URL"
}, },
"KDE Connect share button": { "KDE Connect share button": {
"Share Text": "" "Share Text": "Partager le texte"
}, },
"KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": { "KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": {
"Share": "Partager" "Share": "Partager"
}, },
"KDE Connect share dialog title | KDE Connect share tooltip": { "KDE Connect share dialog title | KDE Connect share tooltip": {
"Share": "" "Share": "Partager"
}, },
"KDE Connect share input placeholder": { "KDE Connect share input placeholder": {
"Enter URL or text to share": "Entrer l'URL ou le texte à partager" "Enter URL or text to share": "Entrer l'URL ou le texte à partager"
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "Indisponible" "Unavailable": "Indisponible"
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "Inconnu" "Unknown": "Inconnu"
}, },
@@ -2381,10 +2402,10 @@
"LED device": "Périphérique LED" "LED device": "Périphérique LED"
}, },
"Large": { "Large": {
"Large": "" "Large": "Large"
}, },
"Largest": { "Largest": {
"Largest": "" "Largest": "Le plus large"
}, },
"Last launched %1": { "Last launched %1": {
"Last launched %1": "Dernier lancement %1" "Last launched %1": "Dernier lancement %1"
@@ -2417,7 +2438,7 @@
"Launcher": "Lanceur" "Launcher": "Lanceur"
}, },
"Launcher Button": { "Launcher Button": {
"Launcher Button": "" "Launcher Button": "Bouton du Lanceur"
}, },
"Launcher Button Logo": { "Launcher Button Logo": {
"Launcher Button Logo": "Icône du bouton du lanceur" "Launcher Button Logo": "Icône du bouton du lanceur"
@@ -2459,7 +2480,7 @@
"Loading plugins...": "Chargement des plugins..." "Loading plugins...": "Chargement des plugins..."
}, },
"Loading trending...": { "Loading trending...": {
"Loading trending...": "" "Loading trending...": "Chargement des tendances..."
}, },
"Loading...": { "Loading...": {
"Loading...": "Chargement..." "Loading...": "Chargement..."
@@ -2840,7 +2861,7 @@
"No app customizations.": "" "No app customizations.": ""
}, },
"No apps found": { "No apps found": {
"No apps found": "" "No apps found": "Aucune appli trouvée"
}, },
"No battery": { "No battery": {
"No battery": "Aucune batterie" "No battery": "Aucune batterie"
@@ -2873,7 +2894,7 @@
"No files found": "Aucun fichier trouvé" "No files found": "Aucun fichier trouvé"
}, },
"No hidden apps.": { "No hidden apps.": {
"No hidden apps.": "" "No hidden apps.": "Aucune appli masquée."
}, },
"No items added yet": { "No items added yet": {
"No items added yet": "Aucun élément ajouté pour le moment" "No items added yet": "Aucun élément ajouté pour le moment"
@@ -2882,13 +2903,13 @@
"No keybinds found": "Aucun raccourci clavier trouvé" "No keybinds found": "Aucun raccourci clavier trouvé"
}, },
"No launcher plugins installed.": { "No launcher plugins installed.": {
"No launcher plugins installed.": "" "No launcher plugins installed.": "Aucun plugins de Lanceur installé."
}, },
"No matches": { "No matches": {
"No matches": "Aucune correspondance" "No matches": "Aucune correspondance"
}, },
"No plugin results": { "No plugin results": {
"No plugin results": "" "No plugin results": "Aucun résultat pour les plugins"
}, },
"No plugins found": { "No plugins found": {
"No plugins found": "Aucun plugin trouvé" "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 recent clipboard entries found": "Aucune entrée récente trouvée dans le presse-papier"
}, },
"No results found": { "No results found": {
"No results found": "" "No results found": "Aucun résultat trouvé"
}, },
"No saved clipboard entries": { "No saved clipboard entries": {
"No saved clipboard entries": "Aucune entrée du presse-papier sauvegardée" "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 Notepad File": "Ouvrir un fichier du bloc-notes"
}, },
"Open folder": { "Open folder": {
"Open folder": "" "Open folder": "Ouvrir dossier"
}, },
"Open in Browser": { "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": {
"Open search bar to find text": "Ouvrir la barre de recherche pour trouver du texte" "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 Management": "Gestion des plugins"
}, },
"Plugin Visibility": { "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 is disabled - enable in Plugins settings to use": "Plugin désactivé activez-le dans les paramètres des plugins" "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" "Prevent screen timeout": "Empêcher la mise en veille de lécran"
}, },
"Preview": { "Preview": {
"Preview": "" "Preview": "Aperçu"
}, },
"Primary": { "Primary": {
"Primary": "Principal" "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" "Remove gaps and border when windows are maximized": "Supprimer les marges et bordures lorsque les fenêtres sont maximisées"
}, },
"Rename": { "Rename": {
"Rename": "" "Rename": "Renommer"
}, },
"Rename Workspace": { "Rename Workspace": {
"Rename Workspace": "" "Rename Workspace": "Renommer l'espace de travail"
}, },
"Repeat": { "Repeat": {
"Repeat": "Répéter" "Repeat": "Répéter"
@@ -3590,10 +3611,10 @@
"Scrolling": "Défilement" "Scrolling": "Défilement"
}, },
"Search App Actions": { "Search App Actions": {
"Search App Actions": "" "Search App Actions": "Chercher des actions d'appli"
}, },
"Search Options": { "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.": {
"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 laction.\\n\\nLaction 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 lorsquil n'y a pas de recherche." "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 laction.\\n\\nLaction 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 lorsquil n'y a pas de recherche."
@@ -3635,7 +3656,7 @@
"Security": "Sécurité" "Security": "Sécurité"
}, },
"Select": { "Select": {
"Select": "" "Select": "Sélectionner"
}, },
"Select Application": { "Select Application": {
"Select Application": "Sélectionner une application" "Select Application": "Sélectionner une application"
@@ -3725,7 +3746,7 @@
"Shift+Del: Clear All • Esc: Close": "Maj+Suppr : Tout effacer • Échap : Fermer" "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+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+Enter: Paste • Shift+Del: Clear All • Esc: Close": "Shift+Entrée : Coller • Shift+Suppr : Tout effacer • Échap : Fermer" "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 lhumidité" "Show Humidity": "Afficher lhumidité"
}, },
"Show Launcher Button": { "Show Launcher Button": {
"Show Launcher Button": "" "Show Launcher Button": "Montrer le bouton du Lanceur"
}, },
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "Afficher les numéros de ligne" "Show Line Numbers": "Afficher les numéros de ligne"
@@ -3965,7 +3986,7 @@
"Sizing": "Redimensionnement" "Sizing": "Redimensionnement"
}, },
"Small": { "Small": {
"Small": "" "Small": "Petit"
}, },
"Smartcard Authentication": { "Smartcard Authentication": {
"Smartcard Authentication": "Authentification par carte à puce" "Smartcard Authentication": "Authentification par carte à puce"
@@ -4289,10 +4310,10 @@
"Transparency": "Transparence" "Transparency": "Transparence"
}, },
"Trending GIFs": { "Trending GIFs": {
"Trending GIFs": "" "Trending GIFs": "GIFs populaires"
}, },
"Trending Stickers": { "Trending Stickers": {
"Trending Stickers": "" "Trending Stickers": "Stickers populaires"
}, },
"Trigger": { "Trigger": {
"Trigger": "Déclencheur" "Trigger": "Déclencheur"
@@ -4304,7 +4325,7 @@
"Trigger: %1": "" "Trigger: %1": ""
}, },
"Try a different search": { "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": {
"Turn off all displays immediately when the lock screen activates": "Éteindre les écrans immédiatement lorsque le verrouillage d'écran s'active" "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": "Type"
}, },
"Type at least 2 characters": { "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": {
"Type this prefix to search keybinds": "Tapez ce préfixe pour rechercher des raccourcis" "Type this prefix to search keybinds": "Tapez ce préfixe pour rechercher des raccourcis"
}, },
"Type to search": { "Type to search": {
"Type to search": "" "Type to search": "Taper pour chercher"
}, },
"Type to search apps": { "Type to search apps": {
"Type to search apps": "" "Type to search apps": ""
@@ -4687,7 +4708,7 @@
"Wind Speed": "Vitesse du vent " "Wind Speed": "Vitesse du vent "
}, },
"Wind Speed in m/s": { "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": {
"Window Corner Radius": "Rayon des coins de la fenêtre" "Window Corner Radius": "Rayon des coins de la fenêtre"
@@ -4723,7 +4744,7 @@
"Workspace Switcher": "Sélecteur despaces de travail" "Workspace Switcher": "Sélecteur despaces de travail"
}, },
"Workspace name": { "Workspace name": {
"Workspace name": "" "Workspace name": "Nom de l'espace de travail"
}, },
"Workspaces": { "Workspaces": {
"Workspaces": "Espaces de travail" "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 douvrir un fichier ?" "You have unsaved changes. Save before opening a file?": "Vous avez des modifications non enregistrées. Enregistrer avant douvrir un fichier ?"
}, },
"actions": { "actions": {
"actions": "" "actions": "actions"
}, },
"apps": { "apps": {
"apps": "applications" "apps": "applications"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "par %1" "by %1": "par %1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "Ombre" "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": { "border color": {
"Color": "" "Color": "Couleur"
}, },
"border thickness": { "border thickness": {
"Thickness": "" "Thickness": "Épaisseur"
}, },
"browse themes button | theme browser header | theme browser window title": { "browse themes button | theme browser header | theme browser window title": {
"Browse Themes": "Parcourir les thèmes" "Browse Themes": "Parcourir les thèmes"
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "Thème pastel apaisant basé sur Catppuccin" "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 label": {
"Current Theme: %1": "Thème actuel : %1" "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": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Sélectionner un fond décran" "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": {
"days": "jours" "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.": {
"dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "La configuration dms/outputs existe mais nest pas incluse dans votre configuration du compositeur. Les changements daffichage ne persisteront pas." "dms/outputs config exists but is not included in your compositor config. Display changes won't persist.": "La configuration dms/outputs existe mais nest pas incluse dans votre configuration du compositeur. Les changements daffichage ne persisteront pas."
}, },
"dock indicator style option": {
"Circle": "",
"Line": ""
},
"dock position option": {
"Bottom": "",
"Left": "",
"Right": "",
"Top": ""
},
"dynamic colors description": { "dynamic colors description": {
"Dynamic colors from wallpaper": "Couleurs dynamiques à partir du fond décran" "Dynamic colors from wallpaper": "Couleurs dynamiques à partir du fond décran"
}, },
@@ -5028,10 +5110,10 @@
"Installed": "Installé" "Installed": "Installé"
}, },
"launcher appearance settings": { "launcher appearance settings": {
"Appearance": "" "Appearance": "Apparence"
}, },
"launcher border option": { "launcher border option": {
"Border": "" "Border": "Bordure"
}, },
"launcher footer description": { "launcher footer description": {
"Show mode tabs and keyboard hints at the bottom.": "" "Show mode tabs and keyboard hints at the bottom.": ""
@@ -5040,7 +5122,7 @@
"Show Footer": "" "Show Footer": ""
}, },
"launcher size option": { "launcher size option": {
"Size": "" "Size": "Taille"
}, },
"leave empty for default": { "leave empty for default": {
"leave empty for default": "laisser vide pour la valeur par défaut" "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 not available - lock integration requires DMS socket connection": "loginctl non disponible - l'intégration de verrouillage nécessite une connexion au socket DMS" "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 error": {
"matugen not found - install matugen package for dynamic theming": "matugen introuvable installez le paquet matugen pour la thématisation dynamique" "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 not found status": {
"Matugen Missing": "Matugen manquant" "Matugen Missing": "Matugen manquant"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "minutes" "minutes": "minutes"
}, },
@@ -5083,7 +5181,16 @@
"ms": "ms" "ms": "ms"
}, },
"nav": { "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 status": {
"No custom theme file": "Aucun fichier de thème personnalisé" "No custom theme file": "Aucun fichier de thème personnalisé"
@@ -5142,10 +5249,10 @@
"official": "officiel" "official": "officiel"
}, },
"open": { "open": {
"open": "" "open": "ouvrir"
}, },
"outline color": { "outline color": {
"Outline": "" "Outline": "Contour"
}, },
"plugin browser description": { "plugin browser description": {
"Install plugins from the DMS plugin registry": "Installer des plugins depuis le registre de plugins DMS" "Install plugins from the DMS plugin registry": "Installer des plugins depuis le registre de plugins DMS"
@@ -5162,8 +5269,19 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "Rechercher des plugins…" "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 color": {
"Primary": "" "Primary": "Primaire"
}, },
"process count label in footer": { "process count label in footer": {
"Processes:": "Processus :" "Processes:": "Processus :"
@@ -5183,8 +5301,18 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "Thème de couleurs provenant du registre DMS" "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 color": {
"Secondary": "" "Secondary": "Secondaire"
}, },
"seconds": { "seconds": {
"seconds": "secondes" "seconds": "secondes"
@@ -5200,7 +5328,7 @@
"Text": "Texte" "Text": "Texte"
}, },
"shadow color option | text color": { "shadow color option | text color": {
"Text": "" "Text": "Texte"
}, },
"shadow intensity slider": { "shadow intensity slider": {
"Intensity": "Intensité" "Intensity": "Intensité"
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "Installer des thèmes de couleurs depuis le registre de thèmes DMS" "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": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "Installer le thème « %1 » depuis le registre DMS ?" "Install theme '%1' from the DMS registry?": "Installer le thème « %1 » depuis le registre DMS ?"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "Rechercher des thèmes…" "Search themes...": "Rechercher des thèmes…"
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "Désinstaller" "Uninstall": "Désinstaller"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "Erreur de fond décran" "Wallpaper Error": "Erreur de fond décran"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "Échec du traitement du fond décran" "Wallpaper processing failed": "Échec du traitement du fond décran"
}, },
@@ -5281,8 +5428,23 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "Gestion externe des fonds décran" "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": { "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 not available - install wtype for paste support": "wtype non disponible - installez wtype pour le support du collage" "wtype not available - install wtype for paste support": "wtype non disponible - installez wtype pour le support du collage"

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "מרכז הבקרה" "Control Center": "מרכז הבקרה"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "שלוט/שלטי במדיה שמתנגנת כעת" "Control currently playing media": "שלוט/שלטי במדיה שמתנגנת כעת"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "זמן המתנה" "Cooldown": "זמן המתנה"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "הועתק ללוח" "Copied to clipboard": "הועתק ללוח"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "אפליקציות" "apps": "אפליקציות"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "מאת %1" "by %1": "מאת %1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "צל" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "ערכת נושא מרגיעה עם צבעי פסטל שמבוססת על Catppuccin" "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 label": {
"Current Theme: %1": "ערכת נושא נוכחית: %1" "Current Theme: %1": "ערכת נושא נוכחית: %1"
}, },
@@ -4791,6 +4851,18 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "בחר/י רקע" "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": {
"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 config exists but is not included in your compositor config. Display changes won't persist.": "קובץ ההגדרה dms/outputs קיים אך אינו כלול בהגדרות הקומפוזיטור שלך. שינויי תצוגה לא יישמרו." "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 description": {
"Dynamic colors from wallpaper": "צבעים דינמיים מתמונת הרקע" "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 not available - lock integration requires DMS socket connection": "loginctl אינו זמין, אינטגרציה של הנעילה דורשת חיבור socket לDMS" "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 error": {
"matugen not found - install matugen package for dynamic theming": "matugen לא נמצא - התקן/י את החבילה של matugen כדי לאפשר עיצוב דינמי" "matugen not found - install matugen package for dynamic theming": "matugen לא נמצא - התקן/י את החבילה של matugen כדי לאפשר עיצוב דינמי"
}, },
@@ -5073,6 +5166,11 @@
"matugen not found status": { "matugen not found status": {
"Matugen Missing": "Matugen חסר" "Matugen Missing": "Matugen חסר"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "דקות" "minutes": "דקות"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "אין קובץ ערכת נושא מותאמת אישית" "No custom theme file": "אין קובץ ערכת נושא מותאמת אישית"
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "חפש/י תוספים..." "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "ערכת צבעים מהמאגר של DMS" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "התקן/י ערכות צבעים ממאגר ערכות הנושא של DMS" "Install color themes from the DMS theme registry": "התקן/י ערכות צבעים ממאגר ערכות הנושא של DMS"
}, },
"theme category option": {
"Auto": "",
"Browse": "",
"Custom": "",
"Generic": ""
},
"theme installation confirmation": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "להתקין את ערכת הנושא '%1' מהמאגר של DMS?" "Install theme '%1' from the DMS registry?": "להתקין את ערכת הנושא '%1' מהמאגר של DMS?"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "חפש/י ערכות נושא..." "Search themes...": "חפש/י ערכות נושא..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "הסר/י התקנה" "Uninstall": "הסר/י התקנה"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "שגיאת תמונת רקע" "Wallpaper Error": "שגיאת תמונת רקע"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "עיבוד תמונת הרקע נכשל" "Wallpaper processing failed": "עיבוד תמונת הרקע נכשל"
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "ניהול רקעים חיצוני" "External Wallpaper Management": "ניהול רקעים חיצוני"
}, },
"wallpaper transition option": {
"Disc": "",
"Fade": "",
"Iris Bloom": "",
"None": "",
"Pixelate": "",
"Portal": "",
"Random": "",
"Stripes": "",
"Wipe": ""
},
"weather feels like temperature": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype אינו זמין - התקן/י את wtype כדי לאפשר תמיכה בהדבקה" "wtype not available - install wtype for paste support": "wtype אינו זמין - התקן/י את wtype כדי לאפשר תמיכה בהדבקה"
}, },

View File

@@ -282,7 +282,7 @@
"Anonymous Identity (optional)": "Névtelen azonosító (opcionális)" "Anonymous Identity (optional)": "Névtelen azonosító (opcionális)"
}, },
"App Customizations": { "App Customizations": {
"App Customizations": "" "App Customizations": "Alkalmazás-testreszabások"
}, },
"App ID Substitutions": { "App ID Substitutions": {
"App ID Substitutions": "Alkalmazásazonosító helyettesítések" "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." "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": "" "Apps": "Alkalmazások"
}, },
"Apps Dock": { "Apps Dock": {
"Apps Dock": "" "Apps Dock": "Alkalmazásdokk"
}, },
"Apps Icon": { "Apps Icon": {
"Apps Icon": "Alkalmazások ikon" "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 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.": "" "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": {
"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" "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" "Autoconnect enabled": "Automatikus csatlakozás bekapcsolva"
}, },
"Automatic Color Mode": { "Automatic Color Mode": {
"Automatic Color Mode": "" "Automatic Color Mode": "Automatikus színmód"
}, },
"Automatic Control": { "Automatic Control": {
"Automatic Control": "Automatikus vezérlés" "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" "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": "" "Automation": "Automatizálás"
}, },
"Available": { "Available": {
"Available": "Elérhető" "Available": "Elérhető"
@@ -597,7 +597,7 @@
"Browse Plugins": "Bővítmények böngészése" "Browse Plugins": "Bővítmények böngészése"
}, },
"Browse or search plugins": { "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": "CPU" "CPU": "CPU"
@@ -630,10 +630,10 @@
"CUPS not available": "CUPS nem elérhető" "CUPS not available": "CUPS nem elérhető"
}, },
"Calc": { "Calc": {
"Calc": "" "Calc": "Számológép"
}, },
"Calculator": { "Calculator": {
"Calculator": "" "Calculator": "Számológép"
}, },
"Camera": { "Camera": {
"Camera": "Kamera" "Camera": "Kamera"
@@ -687,7 +687,7 @@
"Choose Color": "Szín választása" "Choose Color": "Szín választása"
}, },
"Choose Dock Launcher Logo Color": { "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": {
"Choose Launcher Logo Color": "Indítóikon színének kiválasztása" "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." "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 Style": "Chroma stílus"
}, },
"Cipher": { "Cipher": {
"Cipher": "Titkosítás" "Cipher": "Titkosítás"
@@ -804,13 +804,13 @@
"Close": "Bezárás" "Close": "Bezárás"
}, },
"Close All Windows": { "Close All Windows": {
"Close All Windows": "" "Close All Windows": "Összes ablak bezárása"
}, },
"Close Overview on Launch": { "Close Overview on Launch": {
"Close Overview on Launch": "Áttekintés bezárása indításkor" "Close Overview on Launch": "Áttekintés bezárása indításkor"
}, },
"Close Window": { "Close Window": {
"Close Window": "" "Close Window": "Ablak bezárása"
}, },
"Color": { "Color": {
"Color": "Szín" "Color": "Szín"
@@ -843,10 +843,10 @@
"Color temperature for night mode": "Színhőmérséklet az éjszakai módhoz" "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.": "" "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.": "" "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.": {
"Colorful mix of bright contrasting accents.": "Színes keverék, fényes kontrasztos kiemelésekkel." "Colorful mix of bright contrasting accents.": "Színes keverék, fényes kontrasztos kiemelésekkel."
@@ -858,7 +858,7 @@
"Command": "Parancs" "Command": "Parancs"
}, },
"Commands": { "Commands": {
"Commands": "" "Commands": "Parancsok"
}, },
"Communication": { "Communication": {
"Communication": "Kommunikáció" "Communication": "Kommunikáció"
@@ -950,11 +950,14 @@
"Control Center": { "Control Center": {
"Control Center": "Vezérlőközpont" "Control Center": "Vezérlőközpont"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "Jelenleg játszott média vezérlése" "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.": "" "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": {
"Control workspaces and columns by scrolling on the bar": "Munkaterületek és oszlopok vezérlése görgetéssel a sávon" "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": {
"Cooldown": "Várakozási idő" "Cooldown": "Várakozási idő"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "Másolva a vágólapra" "Copied to clipboard": "Másolva a vágólapra"
}, },
@@ -978,7 +990,7 @@
"Copy Full Command": "Teljes parancs másolása" "Copy Full Command": "Teljes parancs másolása"
}, },
"Copy HTML": { "Copy HTML": {
"Copy HTML": "" "Copy HTML": "HTML másolása"
}, },
"Copy Name": { "Copy Name": {
"Copy Name": "Név másolása" "Copy Name": "Név másolása"
@@ -990,13 +1002,13 @@
"Copy Process Name": "Folyamatnév másolása" "Copy Process Name": "Folyamatnév másolása"
}, },
"Copy Text": { "Copy Text": {
"Copy Text": "" "Copy Text": "Szöveg másolása"
}, },
"Copy URL": { "Copy URL": {
"Copy URL": "" "Copy URL": "URL másolása"
}, },
"Copy path": { "Copy path": {
"Copy path": "" "Copy path": "Útvonal másolása"
}, },
"Corner Radius": { "Corner Radius": {
"Corner Radius": "Sarokrádiusz" "Corner Radius": "Sarokrádiusz"
@@ -1407,7 +1419,7 @@
"Edge Spacing": "Élek távolsága" "Edge Spacing": "Élek távolsága"
}, },
"Edit App": { "Edit App": {
"Edit App": "" "Edit App": "Alkalmazás szerkesztése"
}, },
"Education": { "Education": {
"Education": "Oktatás" "Education": "Oktatás"
@@ -1458,7 +1470,7 @@
"Enable loginctl lock integration": "loginctl zár integráció engedélyezése" "Enable loginctl lock integration": "loginctl zár integráció engedélyezése"
}, },
"Enable media player controls on the lock screen window": { "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": { "Enable password field display on the lock screen window": {
"Show Password Field": "Jelszómező megjelenítése" "Show Password Field": "Jelszómező megjelenítése"
@@ -1497,7 +1509,7 @@
"Enter PIN for ": "PIN-kód megadása ehhez: " "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": "" "Enter a new name for this workspace": "Add meg a munkaterület új nevét"
}, },
"Enter a search query": { "Enter a search query": {
"Enter a search query": "Írj be egy keresőkifejezést" "Enter a search query": "Írj be egy keresőkifejezést"
@@ -1539,7 +1551,7 @@
"Entry unpinned": "Bejegyzés rögzítése feloldva" "Entry unpinned": "Bejegyzés rögzítése feloldva"
}, },
"Environment Variables": { "Environment Variables": {
"Environment Variables": "" "Environment Variables": "Környezeti változók"
}, },
"Error": { "Error": {
"Error": "Hiba" "Error": "Hiba"
@@ -1557,7 +1569,7 @@
"Exponential": "Exponenciális" "Exponential": "Exponenciális"
}, },
"Extra Arguments": { "Extra Arguments": {
"Extra Arguments": "" "Extra Arguments": "További argumentumok"
}, },
"F1/I: Toggle • F10: Help": { "F1/I: Toggle • F10: Help": {
"F1/I: Toggle • F10: Help": "F1/I: be- és kikapcsolás • F10: Segítség" "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 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": "" "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": {
"Files": "Fájlok" "Files": "Fájlok"
@@ -1950,7 +1962,7 @@
"HSV": "HSV" "HSV": "HSV"
}, },
"HTML copied to clipboard": { "HTML copied to clipboard": {
"HTML copied to clipboard": "" "HTML copied to clipboard": "HTML a vágólapra másolva"
}, },
"Health": { "Health": {
"Health": "Állapot" "Health": "Állapot"
@@ -1971,16 +1983,16 @@
"Hidden": "Rejtett" "Hidden": "Rejtett"
}, },
"Hidden Apps": { "Hidden Apps": {
"Hidden Apps": "" "Hidden Apps": "Rejtett alkalmazások"
}, },
"Hidden Network": { "Hidden Network": {
"Hidden Network": "Rejtett hálózat" "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.": "" "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": "" "Hide App": "Alkalmazás elrejtése"
}, },
"Hide Delay": { "Hide Delay": {
"Hide Delay": "Elrejtési késleltetés" "Hide Delay": "Elrejtési késleltetés"
@@ -2064,7 +2076,7 @@
"IP Address:": "IP-cím:" "IP Address:": "IP-cím:"
}, },
"Icon": { "Icon": {
"Icon": "" "Icon": "Ikon"
}, },
"Icon Size": { "Icon Size": {
"Icon Size": "Ikonméret" "Icon Size": "Ikonméret"
@@ -2106,7 +2118,7 @@
"Include Transitions": "Átmenetekkel együtt" "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.": "" "Include desktop actions (shortcuts) in search results.": "Asztali műveletek (parancsikonok) belefoglalása a keresési eredményekbe."
}, },
"Incompatible Plugins Loaded": { "Incompatible Plugins Loaded": {
"Incompatible Plugins Loaded": "Inkompatibilis bővítmények betöltve" "Incompatible Plugins Loaded": "Inkompatibilis bővítmények betöltve"
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "Csatlakoztatva" "Connected": "Csatlakoztatva"
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "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" "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 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 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 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 send ping": "Nem sikerült a ping küldése",
"Failed to share": "Nem sikerült a megosztás", "Failed to share": "Nem sikerült a megosztás",
"Pairing failed": "A párosítás sikertelen", "Pairing failed": "A párosítás sikertelen",
"Unpair failed": "A párosítás megszüntetése sikertelen" "Unpair failed": "A párosítás megszüntetése sikertelen"
}, },
"KDE Connect file browser title": { "KDE Connect file browser title": {
"Select File to Send": "" "Select File to Send": "Küldendő fájl kiválasztása"
}, },
"KDE Connect file send": { "KDE Connect file send": {
"Sending": "" "Sending": "Küldés"
}, },
"KDE Connect file share notification": { "KDE Connect file share notification": {
"File received from": "Fájl érkezett innen:" "File received from": "Fájl érkezett innen:"
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "Nincsenek eszközök" "No devices": "Nincsenek eszközök"
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "Nincs párosítva" "Not paired": "Nincs párosítva"
}, },
@@ -2291,7 +2309,7 @@
"Ring": "Megcsörgetés" "Ring": "Megcsörgetés"
}, },
"KDE Connect send file button": { "KDE Connect send file button": {
"Send File": "" "Send File": "Fájl küldése"
}, },
"KDE Connect service unavailable message": { "KDE Connect service unavailable message": {
"KDE Connect unavailable": "A KDE Connect nem érhető el" "KDE Connect unavailable": "A KDE Connect nem érhető el"
@@ -2300,13 +2318,13 @@
"Share URL": "URL megosztása" "Share URL": "URL megosztása"
}, },
"KDE Connect share button": { "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": { "KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": {
"Share": "Megosztás" "Share": "Megosztás"
}, },
"KDE Connect share dialog title | KDE Connect share tooltip": { "KDE Connect share dialog title | KDE Connect share tooltip": {
"Share": "" "Share": "Megosztás"
}, },
"KDE Connect share input placeholder": { "KDE Connect share input placeholder": {
"Enter URL or text to share": "Adj meg egy URL-t vagy szöveget a megosztáshoz" "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": { "KDE Connect unavailable status": {
"Unavailable": "Nem érhető el" "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": { "KDE Connect unknown device status | unknown author": {
"Unknown": "Ismeretlen" "Unknown": "Ismeretlen"
}, },
@@ -2381,10 +2402,10 @@
"LED device": "LED-eszköz" "LED device": "LED-eszköz"
}, },
"Large": { "Large": {
"Large": "" "Large": "Nagy"
}, },
"Largest": { "Largest": {
"Largest": "" "Largest": "Legnagyobb"
}, },
"Last launched %1": { "Last launched %1": {
"Last launched %1": "Utoljára elindítva: %1" "Last launched %1": "Utoljára elindítva: %1"
@@ -2417,7 +2438,7 @@
"Launcher": "Indító" "Launcher": "Indító"
}, },
"Launcher Button": { "Launcher Button": {
"Launcher Button": "" "Launcher Button": "Indítógomb"
}, },
"Launcher Button Logo": { "Launcher Button Logo": {
"Launcher Button Logo": "Indító gomb logója" "Launcher Button Logo": "Indító gomb logója"
@@ -2459,7 +2480,7 @@
"Loading plugins...": "Bővítmények betöltése…" "Loading plugins...": "Bővítmények betöltése…"
}, },
"Loading trending...": { "Loading trending...": {
"Loading trending...": "" "Loading trending...": "Trendek betöltése..."
}, },
"Loading...": { "Loading...": {
"Loading...": "Betöltés…" "Loading...": "Betöltés…"
@@ -2837,10 +2858,10 @@
"No adapters": "Nincs adapter" "No adapters": "Nincs adapter"
}, },
"No app customizations.": { "No app customizations.": {
"No app customizations.": "" "No app customizations.": "Nincsenek alkalmazás testreszabások."
}, },
"No apps found": { "No apps found": {
"No apps found": "" "No apps found": "Nem találhatók alkalmazások"
}, },
"No battery": { "No battery": {
"No battery": "Nincs akkumulátor" "No battery": "Nincs akkumulátor"
@@ -2873,7 +2894,7 @@
"No files found": "Nem található fájl" "No files found": "Nem található fájl"
}, },
"No hidden apps.": { "No hidden apps.": {
"No hidden apps.": "" "No hidden apps.": "Nincsenek rejtett alkalmazások."
}, },
"No items added yet": { "No items added yet": {
"No items added yet": "Még nincsenek hozzáadott elemek" "No items added yet": "Még nincsenek hozzáadott elemek"
@@ -2882,13 +2903,13 @@
"No keybinds found": "Nem található billentyű" "No keybinds found": "Nem található billentyű"
}, },
"No launcher plugins installed.": { "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": {
"No matches": "Nincs találat" "No matches": "Nincs találat"
}, },
"No plugin results": { "No plugin results": {
"No plugin results": "" "No plugin results": "Nincsenek bővítményeredmények"
}, },
"No plugins found": { "No plugins found": {
"No plugins found": "Nem található bővítmény" "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 recent clipboard entries found": "Nem találhatók legutóbbi vágólapbejegyzések"
}, },
"No results found": { "No results found": {
"No results found": "" "No results found": "Nincsenek találatok"
}, },
"No saved clipboard entries": { "No saved clipboard entries": {
"No saved clipboard entries": "Nincsenek mentett vágólapbejegyzések" "No saved clipboard entries": "Nincsenek mentett vágólapbejegyzések"
}, },
"No trigger": { "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.": {
"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." "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 Notepad File": "Jegyzettömb-fájl megnyitása"
}, },
"Open folder": { "Open folder": {
"Open folder": "" "Open folder": "Mappa megnyitása"
}, },
"Open in Browser": { "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": {
"Open search bar to find text": "Keresősáv megnyitása a szöveg kereséséhez" "Open search bar to find text": "Keresősáv megnyitása a szöveg kereséséhez"
@@ -3101,7 +3122,7 @@
"PIN": "PIN" "PIN": "PIN"
}, },
"Pad Hours": { "Pad Hours": {
"Pad Hours": "" "Pad Hours": "Órák kiegészítése"
}, },
"Padding": { "Padding": {
"Padding": "Kitöltés" "Padding": "Kitöltés"
@@ -3170,7 +3191,7 @@
"Pinned": "Rögzítve" "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": "" "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.": {
"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." "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 Management": "Bővítménykezelés"
}, },
"Plugin Visibility": { "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": {
"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" "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" "Prevent screen timeout": "Képernyő időtúllépésének megakadályozása"
}, },
"Preview": { "Preview": {
"Preview": "" "Preview": "Előnézet"
}, },
"Primary": { "Primary": {
"Primary": "Elsődleges" "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" "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": "" "Rename": "Átnevezés"
}, },
"Rename Workspace": { "Rename Workspace": {
"Rename Workspace": "" "Rename Workspace": "Munkaterület átnevezése"
}, },
"Repeat": { "Repeat": {
"Repeat": "Ismétlés" "Repeat": "Ismétlés"
@@ -3590,10 +3611,10 @@
"Scrolling": "Görgetés" "Scrolling": "Görgetés"
}, },
"Search App Actions": { "Search App Actions": {
"Search App Actions": "" "Search App Actions": "Alkalmazásműveletek keresése"
}, },
"Search Options": { "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.": {
"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." "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" "Security": "Biztonság"
}, },
"Select": { "Select": {
"Select": "" "Select": "Kiválasztás"
}, },
"Select Application": { "Select Application": {
"Select Application": "Alkalmazás kiválasztása" "Select Application": "Alkalmazás kiválasztása"
@@ -3716,7 +3737,7 @@
"Setup": "Beállítás" "Setup": "Beállítás"
}, },
"Share Gamma Control Settings": { "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": "Shell" "Shell": "Shell"
@@ -3725,7 +3746,7 @@
"Shift+Del: Clear All • Esc: Close": "Shift+Del: Összes törlése • Esc: Bezárás" "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 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: Paste • Shift+Del: Clear All • Esc: Close": "Shift+Enter: Beillesztés • Shift+Del: Összes törlése • Esc: Bezárás" "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 Humidity": "Páratartalom megjelenítése"
}, },
"Show Launcher Button": { "Show Launcher Button": {
"Show Launcher Button": "" "Show Launcher Button": "Indítógomb megjelenítése"
}, },
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "Sorok számának megjelenítése" "Show Line Numbers": "Sorok számának megjelenítése"
@@ -3965,7 +3986,7 @@
"Sizing": "Méretezés" "Sizing": "Méretezés"
}, },
"Small": { "Small": {
"Small": "" "Small": "Kicsi"
}, },
"Smartcard Authentication": { "Smartcard Authentication": {
"Smartcard Authentication": "Intelligens kártyás hitelesítés" "Smartcard Authentication": "Intelligens kártyás hitelesítés"
@@ -4289,10 +4310,10 @@
"Transparency": "Átlátszóság" "Transparency": "Átlátszóság"
}, },
"Trending GIFs": { "Trending GIFs": {
"Trending GIFs": "" "Trending GIFs": "Népszerű GIF-ek"
}, },
"Trending Stickers": { "Trending Stickers": {
"Trending Stickers": "" "Trending Stickers": "Népszerű matricák"
}, },
"Trigger": { "Trigger": {
"Trigger": "Indító" "Trigger": "Indító"
@@ -4301,10 +4322,10 @@
"Trigger Prefix": "Indító előtag" "Trigger Prefix": "Indító előtag"
}, },
"Trigger: %1": { "Trigger: %1": {
"Trigger: %1": "" "Trigger: %1": "Indító: %1"
}, },
"Try a different search": { "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": {
"Turn off all displays immediately when the lock screen activates": "Az összes kijelző azonnali kikapcsolása a képernyőzár aktiválásakor" "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": "Típus"
}, },
"Type at least 2 characters": { "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": {
"Type this prefix to search keybinds": "Írd be ezt az előtagot a gyorsbillentyűk kereséséhez" "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": "" "Type to search": "Írj a kereséshez"
}, },
"Type to search apps": { "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": "" "Type to search files": "Írj a fájlok kereséséhez"
}, },
"Typography": { "Typography": {
"Typography": "Tipográfia" "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 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": "" "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": {
"Use smaller notification cards": "Kisebb értesítési kártyák használata" "Use smaller notification cards": "Kisebb értesítési kártyák használata"
@@ -4478,13 +4499,13 @@
"Username": "Felhasználónév" "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.": "" "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.": {
"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." "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": "" "Using shared settings from Gamma Control": "A Gamma Control megosztott beállításainak használata"
}, },
"Utilities": { "Utilities": {
"Utilities": "Segédprogramok" "Utilities": "Segédprogramok"
@@ -4687,7 +4708,7 @@
"Wind Speed": "Szélsebesség" "Wind Speed": "Szélsebesség"
}, },
"Wind Speed in m/s": { "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": {
"Window Corner Radius": "Ablaksarok sugara" "Window Corner Radius": "Ablaksarok sugara"
@@ -4723,7 +4744,7 @@
"Workspace Switcher": "Munkaterület-váltó" "Workspace Switcher": "Munkaterület-váltó"
}, },
"Workspace name": { "Workspace name": {
"Workspace name": "" "Workspace name": "Munkaterület neve"
}, },
"Workspaces": { "Workspaces": {
"Workspaces": "Munkaterületek" "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?" "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": "" "actions": "műveletek"
}, },
"apps": { "apps": {
"apps": "alkalmazások" "apps": "alkalmazások"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "ettől: %1" "by %1": "ettől: %1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "Árnyék" "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": { "border color": {
"Color": "" "Color": "Szín"
}, },
"border thickness": { "border thickness": {
"Thickness": "" "Thickness": "Vastagság"
}, },
"browse themes button | theme browser header | theme browser window title": { "browse themes button | theme browser header | theme browser window title": {
"Browse Themes": "Témák böngészése" "Browse Themes": "Témák böngészése"
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "Nyugtató pasztell téma a Catppuccin alapján" "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 label": {
"Current Theme: %1": "Jelenlegi téma: %1" "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": { "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" "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": {
"days": "nap" "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.": {
"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." "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 description": {
"Dynamic colors from wallpaper": "Dinamikus színek a háttérképből" "Dynamic colors from wallpaper": "Dinamikus színek a háttérképből"
}, },
@@ -5028,19 +5110,19 @@
"Installed": "Telepítve" "Installed": "Telepítve"
}, },
"launcher appearance settings": { "launcher appearance settings": {
"Appearance": "" "Appearance": "Megjelenés"
}, },
"launcher border option": { "launcher border option": {
"Border": "" "Border": "Szegély"
}, },
"launcher footer description": { "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": { "launcher footer visibility": {
"Show Footer": "" "Show Footer": "Élőláb megjelenítése"
}, },
"launcher size option": { "launcher size option": {
"Size": "" "Size": "Méret"
}, },
"leave empty for default": { "leave empty for default": {
"leave empty for default": "hagyd üresen az alapértelmezéshez" "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 not available - lock integration requires DMS socket connection": "loginctl nem elérhető a zár integrációhoz DMS socket kapcsolat szükséges" "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 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" "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 not found status": {
"Matugen Missing": "A Matugen hiányzik" "Matugen Missing": "A Matugen hiányzik"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "percek" "minutes": "percek"
}, },
@@ -5083,7 +5181,16 @@
"ms": "ms" "ms": "ms"
}, },
"nav": { "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 status": {
"No custom theme file": "Nincs egyéni témafájl" "No custom theme file": "Nincs egyéni témafájl"
@@ -5142,10 +5249,10 @@
"official": "hivatalos" "official": "hivatalos"
}, },
"open": { "open": {
"open": "" "open": "megnyitás"
}, },
"outline color": { "outline color": {
"Outline": "" "Outline": "Körvonal"
}, },
"plugin browser description": { "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" "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": { "plugin search placeholder": {
"Search plugins...": "Bővítmények keresése…" "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 color": {
"Primary": "" "Primary": "Elsődleges"
}, },
"process count label in footer": { "process count label in footer": {
"Processes:": "Folyamatok:" "Processes:": "Folyamatok:"
@@ -5183,8 +5301,18 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "Színtéma a DMS regiszterből" "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 color": {
"Secondary": "" "Secondary": "Másodlagos"
}, },
"seconds": { "seconds": {
"seconds": "másodpercek" "seconds": "másodpercek"
@@ -5200,7 +5328,7 @@
"Text": "Szöveg" "Text": "Szöveg"
}, },
"shadow color option | text color": { "shadow color option | text color": {
"Text": "" "Text": "Szöveg"
}, },
"shadow intensity slider": { "shadow intensity slider": {
"Intensity": "Intenzitás" "Intensity": "Intenzitás"
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "Színtémák telepítése a DMS téma-regiszterből" "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": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "Telepíted a(z) „%1” témát a DMS regiszterből?" "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": { "theme search placeholder": {
"Search themes...": "Témák keresése…" "Search themes...": "Témák keresése…"
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "Eltávolítás" "Uninstall": "Eltávolítás"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "Háttérkép hiba" "Wallpaper Error": "Háttérkép hiba"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "A háttérkép feldolgozása sikertelen" "Wallpaper processing failed": "A háttérkép feldolgozása sikertelen"
}, },
@@ -5281,8 +5428,23 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "Külső háttérképkezelés" "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": { "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": {
"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" "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"

View File

@@ -282,7 +282,7 @@
"Anonymous Identity (optional)": "Identità anonima (facoltativa)" "Anonymous Identity (optional)": "Identità anonima (facoltativa)"
}, },
"App Customizations": { "App Customizations": {
"App Customizations": "" "App Customizations": "Personalizzazioni App"
}, },
"App ID Substitutions": { "App ID Substitutions": {
"App ID Substitutions": "Sostituzioni App ID" "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." "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": "" "Apps": "App"
}, },
"Apps Dock": { "Apps Dock": {
"Apps Dock": "" "Apps Dock": "App della Dock"
}, },
"Apps Icon": { "Apps Icon": {
"Apps Icon": "Icona App" "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 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.": "" "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": {
"Arrange displays and configure resolution, refresh rate, and VRR": "Disponi gli schermi e configura risoluzione, frequenza di aggiornamento e 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" "Autoconnect enabled": "Connessione automatica abilitata"
}, },
"Automatic Color Mode": { "Automatic Color Mode": {
"Automatic Color Mode": "" "Automatic Color Mode": "Modalità Colore Automatica"
}, },
"Automatic Control": { "Automatic Control": {
"Automatic Control": "Controllo Automatico" "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" "Automatically lock the screen when the system prepares to suspend": "Blocca automaticamente lo schermo quando il sistema si prepara alla sospensione"
}, },
"Automation": { "Automation": {
"Automation": "" "Automation": "Automazione"
}, },
"Available": { "Available": {
"Available": "Disponibile" "Available": "Disponibile"
@@ -597,7 +597,7 @@
"Browse Plugins": "Sfoglia Plugin" "Browse Plugins": "Sfoglia Plugin"
}, },
"Browse or search plugins": { "Browse or search plugins": {
"Browse or search plugins": "" "Browse or search plugins": "Sfoglia o Cerca Plugin"
}, },
"CPU": { "CPU": {
"CPU": "CPU" "CPU": "CPU"
@@ -630,10 +630,10 @@
"CUPS not available": "CUPS non disponibile" "CUPS not available": "CUPS non disponibile"
}, },
"Calc": { "Calc": {
"Calc": "" "Calc": "Calc"
}, },
"Calculator": { "Calculator": {
"Calculator": "" "Calculator": "Calcolatrice"
}, },
"Camera": { "Camera": {
"Camera": "Fotocamera" "Camera": "Fotocamera"
@@ -687,7 +687,7 @@
"Choose Color": "Scegli colore" "Choose Color": "Scegli colore"
}, },
"Choose Dock Launcher Logo Color": { "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": {
"Choose Launcher Logo Color": "Scegli il Colore del Logo del Launcher" "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." "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": "" "Chroma Style": "Stile Chroma"
}, },
"Cipher": { "Cipher": {
"Cipher": "Cifratura" "Cipher": "Cifratura"
@@ -804,13 +804,13 @@
"Close": "Chiudi" "Close": "Chiudi"
}, },
"Close All Windows": { "Close All Windows": {
"Close All Windows": "" "Close All Windows": "Chiudi Tutte le Finestre"
}, },
"Close Overview on Launch": { "Close Overview on Launch": {
"Close Overview on Launch": "Chiudi Panoramica all'Avvio" "Close Overview on Launch": "Chiudi Panoramica all'Avvio"
}, },
"Close Window": { "Close Window": {
"Close Window": "" "Close Window": "Chiudi Finestra"
}, },
"Color": { "Color": {
"Color": "Colore" "Color": "Colore"
@@ -843,10 +843,10 @@
"Color temperature for night mode": "Temperatura colore per la modalità notturna" "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.": "" "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.": "" "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.": {
"Colorful mix of bright contrasting accents.": "Mix colorato di accenti contrastanti brillanti." "Colorful mix of bright contrasting accents.": "Mix colorato di accenti contrastanti brillanti."
@@ -858,7 +858,7 @@
"Command": "Comando" "Command": "Comando"
}, },
"Commands": { "Commands": {
"Commands": "" "Commands": "Comandi"
}, },
"Communication": { "Communication": {
"Communication": "Comunicazione" "Communication": "Comunicazione"
@@ -950,11 +950,14 @@
"Control Center": { "Control Center": {
"Control Center": "Centro di Controllo" "Control Center": "Centro di Controllo"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "Controllo media attualmente in riproduzione" "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.": "" "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": {
"Control workspaces and columns by scrolling on the bar": "Controlla spazi di lavoro e colonne scorrendo sulla barra" "Control workspaces and columns by scrolling on the bar": "Controlla spazi di lavoro e colonne scorrendo sulla barra"
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "Tempo di Attesa" "Cooldown": "Tempo di Attesa"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "Copiato negli appunti" "Copied to clipboard": "Copiato negli appunti"
}, },
@@ -978,7 +990,7 @@
"Copy Full Command": "Copia Comando Completo" "Copy Full Command": "Copia Comando Completo"
}, },
"Copy HTML": { "Copy HTML": {
"Copy HTML": "" "Copy HTML": "Copia HTML"
}, },
"Copy Name": { "Copy Name": {
"Copy Name": "Copia nome" "Copy Name": "Copia nome"
@@ -990,13 +1002,13 @@
"Copy Process Name": "Copia Nome Processo" "Copy Process Name": "Copia Nome Processo"
}, },
"Copy Text": { "Copy Text": {
"Copy Text": "" "Copy Text": "Copia Testo"
}, },
"Copy URL": { "Copy URL": {
"Copy URL": "" "Copy URL": "Copia URL"
}, },
"Copy path": { "Copy path": {
"Copy path": "" "Copy path": "Copia Percorso"
}, },
"Corner Radius": { "Corner Radius": {
"Corner Radius": "Raggio degli Angoli" "Corner Radius": "Raggio degli Angoli"
@@ -1056,7 +1068,7 @@
"Cursor Size": "Dimensione Cursore" "Cursor Size": "Dimensione Cursore"
}, },
"Cursor Theme": { "Cursor Theme": {
"Cursor Theme": "Tema del Cursore" "Cursor Theme": "Tema Cursore"
}, },
"Custom": { "Custom": {
"Custom": "Personalizzato" "Custom": "Personalizzato"
@@ -1365,7 +1377,7 @@
"Dock Transparency": "Trasparenza Dock" "Dock Transparency": "Trasparenza Dock"
}, },
"Dock Visibility": { "Dock Visibility": {
"Dock Visibility": "Visibilità della Dock" "Dock Visibility": "Visibilità Dock"
}, },
"Docs": { "Docs": {
"Docs": "Documentazione" "Docs": "Documentazione"
@@ -1407,7 +1419,7 @@
"Edge Spacing": "Spaziatura del Bordo" "Edge Spacing": "Spaziatura del Bordo"
}, },
"Edit App": { "Edit App": {
"Edit App": "" "Edit App": "Modifica app"
}, },
"Education": { "Education": {
"Education": "Istruzione" "Education": "Istruzione"
@@ -1458,7 +1470,7 @@
"Enable loginctl lock integration": "Abilita l'integrazione di blocco loginctl" "Enable loginctl lock integration": "Abilita l'integrazione di blocco loginctl"
}, },
"Enable media player controls on the lock screen window": { "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": { "Enable password field display on the lock screen window": {
"Show Password Field": "Mostra Campo Password" "Show Password Field": "Mostra Campo Password"
@@ -1497,7 +1509,7 @@
"Enter PIN for ": "Inserisci PIN per " "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": "" "Enter a new name for this workspace": "Inserisci un nuovo nome per questo spazio di lavoro"
}, },
"Enter a search query": { "Enter a search query": {
"Enter a search query": "Inserisci una query di ricerca" "Enter a search query": "Inserisci una query di ricerca"
@@ -1539,7 +1551,7 @@
"Entry unpinned": "Voce sbloccata" "Entry unpinned": "Voce sbloccata"
}, },
"Environment Variables": { "Environment Variables": {
"Environment Variables": "" "Environment Variables": "Variabili d'Ambiente"
}, },
"Error": { "Error": {
"Error": "Errore" "Error": "Errore"
@@ -1557,7 +1569,7 @@
"Exponential": "Esponenziale" "Exponential": "Esponenziale"
}, },
"Extra Arguments": { "Extra Arguments": {
"Extra Arguments": "" "Extra Arguments": "Argomenti Aggiuntivi"
}, },
"F1/I: Toggle • F10: Help": { "F1/I: Toggle • F10: Help": {
"F1/I: Toggle • F10: Help": "F1/I: Cambia • F10: Aiuto" "F1/I: Toggle • F10: Help": "F1/I: Cambia • F10: Aiuto"
@@ -1749,7 +1761,7 @@
"File Information": "Informazioni File" "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": "" "File search requires dsearch\\nInstall from github.com/morelazers/dsearch": "La ricerca file richiede dsearch\\nInstalla da github.com/morelazers/dsearch"
}, },
"Files": { "Files": {
"Files": "File" "Files": "File"
@@ -1950,7 +1962,7 @@
"HSV": "HSV" "HSV": "HSV"
}, },
"HTML copied to clipboard": { "HTML copied to clipboard": {
"HTML copied to clipboard": "" "HTML copied to clipboard": "HTML copiato negli appunti"
}, },
"Health": { "Health": {
"Health": "Salute" "Health": "Salute"
@@ -1971,16 +1983,16 @@
"Hidden": "Nascosto" "Hidden": "Nascosto"
}, },
"Hidden Apps": { "Hidden Apps": {
"Hidden Apps": "" "Hidden Apps": "App Nascoste"
}, },
"Hidden Network": { "Hidden Network": {
"Hidden Network": "Rete Nascosta" "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.": "" "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": "" "Hide App": "Nascondi App"
}, },
"Hide Delay": { "Hide Delay": {
"Hide Delay": "Ritardo Nascondi" "Hide Delay": "Ritardo Nascondi"
@@ -2052,7 +2064,7 @@
"Humidity": "Umidità" "Humidity": "Umidità"
}, },
"Hyprland Layout Overrides": { "Hyprland Layout Overrides": {
"Hyprland Layout Overrides": "Sovrascritture Layout di Hyprland" "Hyprland Layout Overrides": "Sovrascritture Layout Hyprland"
}, },
"I Understand": { "I Understand": {
"I Understand": "Ho capito" "I Understand": "Ho capito"
@@ -2064,7 +2076,7 @@
"IP Address:": "Indirizzo IP:" "IP Address:": "Indirizzo IP:"
}, },
"Icon": { "Icon": {
"Icon": "" "Icon": "Icona"
}, },
"Icon Size": { "Icon Size": {
"Icon Size": "Dimensione Icona" "Icon Size": "Dimensione Icona"
@@ -2106,7 +2118,7 @@
"Include Transitions": "Includi Transizioni" "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.": "" "Include desktop actions (shortcuts) in search results.": "Includi azioni desktop (scorciatoie) nei risultati di ricerca."
}, },
"Incompatible Plugins Loaded": { "Incompatible Plugins Loaded": {
"Incompatible Plugins Loaded": "Plugin Incompatibili Caricati" "Incompatible Plugins Loaded": "Plugin Incompatibili Caricati"
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "Connesso" "Connected": "Connesso"
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "Avvia kdeconnectd per utilizzare questo plugin" "Start kdeconnectd to use this plugin": "Avvia kdeconnectd per utilizzare questo plugin"
}, },
@@ -2213,17 +2228,17 @@
"Failed to reject pairing": "Impossibile rifiutare lassociazione", "Failed to reject pairing": "Impossibile rifiutare lassociazione",
"Failed to ring device": "Impossibile far squillare il dispositivo", "Failed to ring device": "Impossibile far squillare il dispositivo",
"Failed to send clipboard": "Impossibile inviare gli appunti", "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 send ping": "Impossibile inviare il ping",
"Failed to share": "Impossibile condividere", "Failed to share": "Impossibile condividere",
"Pairing failed": "Associazione non riuscita", "Pairing failed": "Associazione non riuscita",
"Unpair failed": "Dissociazione non riuscita" "Unpair failed": "Dissociazione non riuscita"
}, },
"KDE Connect file browser title": { "KDE Connect file browser title": {
"Select File to Send": "" "Select File to Send": "Seleziona File da Inviare"
}, },
"KDE Connect file send": { "KDE Connect file send": {
"Sending": "" "Sending": "Invio in Corso"
}, },
"KDE Connect file share notification": { "KDE Connect file share notification": {
"File received from": "File ricevuto da" "File received from": "File ricevuto da"
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "Nessun dispositivo" "No devices": "Nessun dispositivo"
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "Non associato" "Not paired": "Non associato"
}, },
@@ -2291,7 +2309,7 @@
"Ring": "Fai squillare" "Ring": "Fai squillare"
}, },
"KDE Connect send file button": { "KDE Connect send file button": {
"Send File": "" "Send File": "Invia File"
}, },
"KDE Connect service unavailable message": { "KDE Connect service unavailable message": {
"KDE Connect unavailable": "KDE Connect non è disponibile" "KDE Connect unavailable": "KDE Connect non è disponibile"
@@ -2300,13 +2318,13 @@
"Share URL": "Condividi URL" "Share URL": "Condividi URL"
}, },
"KDE Connect share button": { "KDE Connect share button": {
"Share Text": "" "Share Text": "Condividi Testo"
}, },
"KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": { "KDE Connect share button | KDE Connect share dialog title | KDE Connect share tooltip": {
"Share": "Condividi" "Share": "Condividi"
}, },
"KDE Connect share dialog title | KDE Connect share tooltip": { "KDE Connect share dialog title | KDE Connect share tooltip": {
"Share": "" "Share": "Condividi"
}, },
"KDE Connect share input placeholder": { "KDE Connect share input placeholder": {
"Enter URL or text to share": "Inserisci un URL o un testo da condividere" "Enter URL or text to share": "Inserisci un URL o un testo da condividere"
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "Non Disponibile" "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": { "KDE Connect unknown device status | unknown author": {
"Unknown": "Sconosciuto" "Unknown": "Sconosciuto"
}, },
@@ -2381,10 +2402,10 @@
"LED device": "Dispositivo LED" "LED device": "Dispositivo LED"
}, },
"Large": { "Large": {
"Large": "" "Large": "Grande"
}, },
"Largest": { "Largest": {
"Largest": "" "Largest": "Molto Grande"
}, },
"Last launched %1": { "Last launched %1": {
"Last launched %1": "Ultimo avvio %1" "Last launched %1": "Ultimo avvio %1"
@@ -2405,7 +2426,7 @@
"Latitude": "Latitudine" "Latitude": "Latitudine"
}, },
"Launch": { "Launch": {
"Launch": "Avvio" "Launch": "Avvia"
}, },
"Launch Prefix": { "Launch Prefix": {
"Launch Prefix": "Prefisso Avvio" "Launch Prefix": "Prefisso Avvio"
@@ -2417,7 +2438,7 @@
"Launcher": "Launcher" "Launcher": "Launcher"
}, },
"Launcher Button": { "Launcher Button": {
"Launcher Button": "" "Launcher Button": "Pulsante del Launcher"
}, },
"Launcher Button Logo": { "Launcher Button Logo": {
"Launcher Button Logo": "Logo Pulsante Launcher" "Launcher Button Logo": "Logo Pulsante Launcher"
@@ -2459,7 +2480,7 @@
"Loading plugins...": "Caricamento plugin..." "Loading plugins...": "Caricamento plugin..."
}, },
"Loading trending...": { "Loading trending...": {
"Loading trending...": "" "Loading trending...": "Caricamento tendenze..."
}, },
"Loading...": { "Loading...": {
"Loading...": "Caricando..." "Loading...": "Caricando..."
@@ -2534,7 +2555,7 @@
"Management": "Gestione" "Management": "Gestione"
}, },
"MangoWC Layout Overrides": { "MangoWC Layout Overrides": {
"MangoWC Layout Overrides": "Sovrascritture Layout di MangoWC" "MangoWC Layout Overrides": "Sovrascritture Layout MangoWC"
}, },
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "Coordinate Manuali" "Manual Coordinates": "Coordinate Manuali"
@@ -2798,7 +2819,7 @@
"Niri Integration": "Integrazione Niri" "Niri Integration": "Integrazione Niri"
}, },
"Niri Layout Overrides": { "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.)": {
"Niri compositor actions (focus, move, etc.)": "Azioni del compositor Niri (focus, muovi, etc.)" "Niri compositor actions (focus, move, etc.)": "Azioni del compositor Niri (focus, muovi, etc.)"
@@ -2837,10 +2858,10 @@
"No adapters": "Nessun Adattatore" "No adapters": "Nessun Adattatore"
}, },
"No app customizations.": { "No app customizations.": {
"No app customizations.": "" "No app customizations.": "Nessuna personalizzazione app."
}, },
"No apps found": { "No apps found": {
"No apps found": "" "No apps found": "Nessuna app trovata"
}, },
"No battery": { "No battery": {
"No battery": "Nessuna batteria" "No battery": "Nessuna batteria"
@@ -2873,7 +2894,7 @@
"No files found": "Nessun file trovato" "No files found": "Nessun file trovato"
}, },
"No hidden apps.": { "No hidden apps.": {
"No hidden apps.": "" "No hidden apps.": "Nessuna app nascosta."
}, },
"No items added yet": { "No items added yet": {
"No items added yet": "Nessun elemento aggiunto ancora" "No items added yet": "Nessun elemento aggiunto ancora"
@@ -2882,13 +2903,13 @@
"No keybinds found": "Nessuna scorciatoia trovata" "No keybinds found": "Nessuna scorciatoia trovata"
}, },
"No launcher plugins installed.": { "No launcher plugins installed.": {
"No launcher plugins installed.": "" "No launcher plugins installed.": "Nessun plugin del launcher installato."
}, },
"No matches": { "No matches": {
"No matches": "Nessun risultato" "No matches": "Nessun risultato"
}, },
"No plugin results": { "No plugin results": {
"No plugin results": "" "No plugin results": "Nessun risultato plugin"
}, },
"No plugins found": { "No plugins found": {
"No plugins found": "Nessun plugin trovato" "No plugins found": "Nessun plugin trovato"
@@ -2909,13 +2930,13 @@
"No recent clipboard entries found": "Nessuna voce recente negli appunti" "No recent clipboard entries found": "Nessuna voce recente negli appunti"
}, },
"No results found": { "No results found": {
"No results found": "" "No results found": "Nessun risultato trovato"
}, },
"No saved clipboard entries": { "No saved clipboard entries": {
"No saved clipboard entries": "Nessuna voce degli appunti salvata" "No saved clipboard entries": "Nessuna voce degli appunti salvata"
}, },
"No trigger": { "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.": {
"No variants created. Click Add to create a new monitor widget.": "Nessuna variante creata. Fai clic su Aggiungi per creare un nuovo widget monitor." "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 Notepad File": "Apri file Blocco Note"
}, },
"Open folder": { "Open folder": {
"Open folder": "" "Open folder": "Apri cartella"
}, },
"Open in Browser": { "Open in Browser": {
"Open in Browser": "" "Open in Browser": "Apri nel Browser"
}, },
"Open search bar to find text": { "Open search bar to find text": {
"Open search bar to find text": "Apri barra di ricerca per cercare testo" "Open search bar to find text": "Apri barra di ricerca per cercare testo"
@@ -3101,7 +3122,7 @@
"PIN": "PIN" "PIN": "PIN"
}, },
"Pad Hours": { "Pad Hours": {
"Pad Hours": "" "Pad Hours": "Zero Iniziale Ore"
}, },
"Padding": { "Padding": {
"Padding": "Spaziatura Interna" "Padding": "Spaziatura Interna"
@@ -3170,7 +3191,7 @@
"Pinned": "Fissato" "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": "" "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.": {
"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." "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 Management": "Gestione Plugin"
}, },
"Plugin Visibility": { "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 is disabled - enable in Plugins settings to use": "Plugin disabilitato - per usarlo, attivalo nelle impostazioni Plugin" "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" "Prevent screen timeout": "Previeni timeout schermo"
}, },
"Preview": { "Preview": {
"Preview": "" "Preview": "Anteprima"
}, },
"Primary": { "Primary": {
"Primary": "Primario" "Primary": "Primario"
@@ -3407,10 +3428,10 @@
"Remove gaps and border when windows are maximized": "Rimuovi spazi e bordo quando le finestre sono massimizzate" "Remove gaps and border when windows are maximized": "Rimuovi spazi e bordo quando le finestre sono massimizzate"
}, },
"Rename": { "Rename": {
"Rename": "" "Rename": "Rinomina"
}, },
"Rename Workspace": { "Rename Workspace": {
"Rename Workspace": "" "Rename Workspace": "Rinomina Spazio di Lavoro"
}, },
"Repeat": { "Repeat": {
"Repeat": "Ripetizione" "Repeat": "Ripetizione"
@@ -3590,10 +3611,10 @@
"Scrolling": "Scorrimento" "Scrolling": "Scorrimento"
}, },
"Search App Actions": { "Search App Actions": {
"Search App Actions": "" "Search App Actions": "Cerca Azioni App"
}, },
"Search Options": { "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.": {
"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." "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" "Security": "Sicurezza"
}, },
"Select": { "Select": {
"Select": "" "Select": "Seleziona"
}, },
"Select Application": { "Select Application": {
"Select Application": "Seleziona Applicazione" "Select Application": "Seleziona Applicazione"
@@ -3716,7 +3737,7 @@
"Setup": "Configurazione" "Setup": "Configurazione"
}, },
"Share Gamma Control Settings": { "Share Gamma Control Settings": {
"Share Gamma Control Settings": "" "Share Gamma Control Settings": "Condividi Impostazioni Controllo Gamma"
}, },
"Shell": { "Shell": {
"Shell": "Shell" "Shell": "Shell"
@@ -3725,7 +3746,7 @@
"Shift+Del: Clear All • Esc: Close": "Shift+Canc: Elimina tutto • Esc: Chiudi" "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+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+Enter: Paste • Shift+Del: Clear All • Esc: Close": "Shift+Invio: Incolla • Shift+Canc: Cancella Tutto • Esc: Chiudi" "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 Humidity": "Mostra Umidità"
}, },
"Show Launcher Button": { "Show Launcher Button": {
"Show Launcher Button": "" "Show Launcher Button": "Mostra Pulsante Launcher"
}, },
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "Mostra Numero Righe" "Show Line Numbers": "Mostra Numero Righe"
@@ -3965,7 +3986,7 @@
"Sizing": "Dimensionamento" "Sizing": "Dimensionamento"
}, },
"Small": { "Small": {
"Small": "" "Small": "Piccolo"
}, },
"Smartcard Authentication": { "Smartcard Authentication": {
"Smartcard Authentication": "Autenticazione Tramite Smart Card" "Smartcard Authentication": "Autenticazione Tramite Smart Card"
@@ -4289,10 +4310,10 @@
"Transparency": "Trasparenza" "Transparency": "Trasparenza"
}, },
"Trending GIFs": { "Trending GIFs": {
"Trending GIFs": "" "Trending GIFs": "GIF di Tendenza"
}, },
"Trending Stickers": { "Trending Stickers": {
"Trending Stickers": "" "Trending Stickers": "Sticker di Tendenza"
}, },
"Trigger": { "Trigger": {
"Trigger": "Attivatore" "Trigger": "Attivatore"
@@ -4301,10 +4322,10 @@
"Trigger Prefix": "Prefisso Attivatore" "Trigger Prefix": "Prefisso Attivatore"
}, },
"Trigger: %1": { "Trigger: %1": {
"Trigger: %1": "" "Trigger: %1": "Attivatore: %1"
}, },
"Try a different search": { "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": {
"Turn off all displays immediately when the lock screen activates": "Spegni immediatamente tutti gli schermi quando si attiva la schermata di blocco" "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": "Tipo"
}, },
"Type at least 2 characters": { "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": {
"Type this prefix to search keybinds": "Digita questo prefisso per cercare scorciatoie" "Type this prefix to search keybinds": "Digita questo prefisso per cercare scorciatoie"
}, },
"Type to search": { "Type to search": {
"Type to search": "" "Type to search": "Scrivi per cercare"
}, },
"Type to search apps": { "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": "" "Type to search files": "Scrivi per cercare file"
}, },
"Typography": { "Typography": {
"Typography": "Tipografia" "Typography": "Tipografia"
@@ -4448,7 +4469,7 @@
"Use light theme instead of dark theme": "Usa tema chiaro invece del tema scuro" "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": "" "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": {
"Use smaller notification cards": "Usa schede di notifica più piccole" "Use smaller notification cards": "Usa schede di notifica più piccole"
@@ -4478,13 +4499,13 @@
"Username": "Nome Utente" "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.": "" "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.": {
"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." "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": "" "Using shared settings from Gamma Control": "Utilizzo delle impostazioni condivise di Gamma Control"
}, },
"Utilities": { "Utilities": {
"Utilities": "Utilità" "Utilities": "Utilità"
@@ -4650,7 +4671,7 @@
"Widget Style": "Stile Widget" "Widget Style": "Stile Widget"
}, },
"Widget Styling": { "Widget Styling": {
"Widget Styling": "Stile del Widget" "Widget Styling": "Aspetto Widget"
}, },
"Widget Transparency": { "Widget Transparency": {
"Widget Transparency": "Trasparenza Widget" "Widget Transparency": "Trasparenza Widget"
@@ -4687,7 +4708,7 @@
"Wind Speed": "Velocità Vento" "Wind Speed": "Velocità Vento"
}, },
"Wind Speed in m/s": { "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": {
"Window Corner Radius": "Raggio Angoli Finestra" "Window Corner Radius": "Raggio Angoli Finestra"
@@ -4705,7 +4726,7 @@
"Workspace": "Spazio di Lavoro" "Workspace": "Spazio di Lavoro"
}, },
"Workspace Appearance": { "Workspace Appearance": {
"Workspace Appearance": "Aspetto degli Spazi di Lavoro" "Workspace Appearance": "Aspetto Spazi di Lavoro"
}, },
"Workspace Index Numbers": { "Workspace Index Numbers": {
"Workspace Index Numbers": "Numeri Indice Spazi di Lavoro" "Workspace Index Numbers": "Numeri Indice Spazi di Lavoro"
@@ -4723,7 +4744,7 @@
"Workspace Switcher": "Switcher Spazi di Lavoro" "Workspace Switcher": "Switcher Spazi di Lavoro"
}, },
"Workspace name": { "Workspace name": {
"Workspace name": "" "Workspace name": "Nome dello Spazio di Lavoro"
}, },
"Workspaces": { "Workspaces": {
"Workspaces": "Spazi di Lavoro" "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?" "You have unsaved changes. Save before opening a file?": "Ci sono modifiche non salvate. Salvare prima di aprire un file?"
}, },
"actions": { "actions": {
"actions": "" "actions": "azioni"
}, },
"apps": { "apps": {
"apps": "app" "apps": "app"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "di %1" "by %1": "di %1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "Ombra" "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": { "border color": {
"Color": "" "Color": "Colore"
}, },
"border thickness": { "border thickness": {
"Thickness": "" "Thickness": "Spessore"
}, },
"browse themes button | theme browser header | theme browser window title": { "browse themes button | theme browser header | theme browser window title": {
"Browse Themes": "Sfoglia Temi" "Browse Themes": "Sfoglia Temi"
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "Tema pastello rilassante basato su Catppuccin" "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 label": {
"Current Theme: %1": "Tema corrente: %1" "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": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Seleziona Sfondo" "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": {
"days": "giorni" "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.": {
"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." "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 description": {
"Dynamic colors from wallpaper": "Colori dinamici dallo sfondo" "Dynamic colors from wallpaper": "Colori dinamici dallo sfondo"
}, },
@@ -5028,19 +5110,19 @@
"Installed": "Installato" "Installed": "Installato"
}, },
"launcher appearance settings": { "launcher appearance settings": {
"Appearance": "" "Appearance": "Aspetto"
}, },
"launcher border option": { "launcher border option": {
"Border": "" "Border": "Bordo"
}, },
"launcher footer description": { "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": { "launcher footer visibility": {
"Show Footer": "" "Show Footer": "Mostra Piè di Pagina"
}, },
"launcher size option": { "launcher size option": {
"Size": "" "Size": "Dimensione"
}, },
"leave empty for default": { "leave empty for default": {
"leave empty for default": "lascia vuoto per il valore predefinito" "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 not available - lock integration requires DMS socket connection": "loginctl non disponibile - integrazione blocco richiede connessione socket DMS" "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 error": {
"matugen not found - install matugen package for dynamic theming": "matugen non trovato - installa il pacchetto matugen per il theming dinamico" "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 not found status": {
"Matugen Missing": "Matugen Mancante" "Matugen Missing": "Matugen Mancante"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "minuti" "minutes": "minuti"
}, },
@@ -5083,7 +5181,16 @@
"ms": "ms" "ms": "ms"
}, },
"nav": { "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 status": {
"No custom theme file": "Nessun file tema personalizzato" "No custom theme file": "Nessun file tema personalizzato"
@@ -5142,10 +5249,10 @@
"official": "ufficiale" "official": "ufficiale"
}, },
"open": { "open": {
"open": "" "open": "apri"
}, },
"outline color": { "outline color": {
"Outline": "" "Outline": "Contorno"
}, },
"plugin browser description": { "plugin browser description": {
"Install plugins from the DMS plugin registry": "Installa plugin dal registro plugin DMS" "Install plugins from the DMS plugin registry": "Installa plugin dal registro plugin DMS"
@@ -5162,8 +5269,19 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "Cerca plugin..." "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 color": {
"Primary": "" "Primary": "Primario"
}, },
"process count label in footer": { "process count label in footer": {
"Processes:": "Processi:" "Processes:": "Processi:"
@@ -5183,8 +5301,18 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "Tema colore dal registro DMS" "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 color": {
"Secondary": "" "Secondary": "Secondario"
}, },
"seconds": { "seconds": {
"seconds": "secondi" "seconds": "secondi"
@@ -5200,7 +5328,7 @@
"Text": "Testo" "Text": "Testo"
}, },
"shadow color option | text color": { "shadow color option | text color": {
"Text": "" "Text": "Testo"
}, },
"shadow intensity slider": { "shadow intensity slider": {
"Intensity": "Intensità" "Intensity": "Intensità"
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "Installa temi colore dal registro temi DMS" "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": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "Installa il tema '%1' dal registro DMS?" "Install theme '%1' from the DMS registry?": "Installa il tema '%1' dal registro DMS?"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "Cerca temi..." "Search themes...": "Cerca temi..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "Disinstalla" "Uninstall": "Disinstalla"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "Errore Sfondo" "Wallpaper Error": "Errore Sfondo"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "Elaborazione dello sfondo fallita" "Wallpaper processing failed": "Elaborazione dello sfondo fallita"
}, },
@@ -5279,10 +5426,25 @@
"Disable Built-in Wallpapers": "Disabilita Sfondi Incorporati" "Disable Built-in Wallpapers": "Disabilita Sfondi Incorporati"
}, },
"wallpaper settings external management": { "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": { "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 not available - install wtype for paste support": "wtype non disponibile installa wtype per il supporto alla funzione incolla" "wtype not available - install wtype for paste support": "wtype non disponibile installa wtype per il supporto alla funzione incolla"

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "コントロールセンター" "Control Center": "コントロールセンター"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "現在再生中のメディアを制御" "Control currently playing media": "現在再生中のメディアを制御"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "" "Cooldown": ""
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "クリップボードにコピーしました" "Copied to clipboard": "クリップボードにコピーしました"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "" "apps": ""
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "" "by %1": ""
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "" "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 label": {
"Current Theme: %1": "" "Current Theme: %1": ""
}, },
@@ -4791,6 +4851,18 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "壁紙を選んでください" "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": {
"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 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 description": {
"Dynamic colors from wallpaper": "" "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 not available - lock integration requires DMS socket connection": "loginctlが利用できません- ロック統合のためにDMS socketの接続が必要です。" "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 error": {
"matugen not found - install matugen package for dynamic theming": "" "matugen not found - install matugen package for dynamic theming": ""
}, },
@@ -5073,6 +5166,11 @@
"matugen not found status": { "matugen not found status": {
"Matugen Missing": "" "Matugen Missing": ""
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "" "minutes": ""
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "" "No custom theme file": ""
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "" "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "" "Install color themes from the DMS theme registry": ""
}, },
"theme category option": {
"Auto": "",
"Browse": "",
"Custom": "",
"Generic": ""
},
"theme installation confirmation": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "" "Install theme '%1' from the DMS registry?": ""
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "" "Search themes...": ""
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "" "Uninstall": ""
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "" "Wallpaper Error": ""
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "" "Wallpaper processing failed": ""
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "" "External Wallpaper Management": ""
}, },
"wallpaper transition option": {
"Disc": "",
"Fade": "",
"Iris Bloom": "",
"None": "",
"Pixelate": "",
"Portal": "",
"Random": "",
"Stripes": "",
"Wipe": ""
},
"weather feels like temperature": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "" "wtype not available - install wtype for paste support": ""
}, },

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "Centrum sterowania" "Control Center": "Centrum sterowania"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "Steruj aktualnie odtwarzanymi multimediami" "Control currently playing media": "Steruj aktualnie odtwarzanymi multimediami"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "Czas Odnowienia" "Cooldown": "Czas Odnowienia"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "Skopiowano do schowka" "Copied to clipboard": "Skopiowano do schowka"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "aplikacje" "apps": "aplikacje"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "od %1" "by %1": "od %1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "Uspokajający pastelowy motyw oparty na Catppuccin" "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 label": {
"Current Theme: %1": "Aktualny Motyw: %1" "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": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Wybierz tapetę" "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": {
"days": "dni" "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.": {
"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." "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 description": {
"Dynamic colors from wallpaper": "Dynamiczne kolory z tapety" "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 not available - lock integration requires DMS socket connection": "loginctl niedostępny - integracja blokady wymaga połączenia z gniazdem DMS" "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 error": {
"matugen not found - install matugen package for dynamic theming": "matugen nie znaleziony - zainstaluj matugen dla dynamicznych motywów" "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 not found status": {
"Matugen Missing": "Brak Matugen" "Matugen Missing": "Brak Matugen"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "protokół" "minutes": "protokół"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "Brak niestandardowego pliku motywu" "No custom theme file": "Brak niestandardowego pliku motywu"
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "Szukaj wtyczek..." "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "Motyw z rejestru DMS" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "Zainstaluj motywy z rejestru DMS" "Install color themes from the DMS theme registry": "Zainstaluj motywy z rejestru DMS"
}, },
"theme category option": {
"Auto": "",
"Browse": "",
"Custom": "",
"Generic": ""
},
"theme installation confirmation": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "Zainstalować motyw '%1' z rejestru DMS?" "Install theme '%1' from the DMS registry?": "Zainstalować motyw '%1' z rejestru DMS?"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "Szukaj motywów..." "Search themes...": "Szukaj motywów..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "Odinstaluj" "Uninstall": "Odinstaluj"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "Błąd Tapety" "Wallpaper Error": "Błąd Tapety"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "Przetwarzanie tapety nie powiodło się" "Wallpaper processing failed": "Przetwarzanie tapety nie powiodło się"
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "Zarządzanie tapetami zewnętrznymi" "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": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype niedostępny - zainstaluj wtype dla wsparcia wklejania" "wtype not available - install wtype for paste support": "wtype niedostępny - zainstaluj wtype dla wsparcia wklejania"
}, },

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "Painel de Controle" "Control Center": "Painel de Controle"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "Controlar mídia que está sendo reproduzida" "Control currently playing media": "Controlar mídia que está sendo reproduzida"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "Tempo de espera" "Cooldown": "Tempo de espera"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "Copiado para a área de transferência" "Copied to clipboard": "Copiado para a área de transferência"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "" "apps": ""
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "" "by %1": ""
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "" "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 label": {
"Current Theme: %1": "" "Current Theme: %1": ""
}, },
@@ -4791,6 +4851,18 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Selecionar Papel de Parede" "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": {
"days": "dias" "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.": {
"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 description": {
"Dynamic colors from wallpaper": "" "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 not available - lock integration requires DMS socket connection": "loginctl não disponível - integração com bloqueio requer conexão de socket DMS" "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 error": {
"matugen not found - install matugen package for dynamic theming": "" "matugen not found - install matugen package for dynamic theming": ""
}, },
@@ -5073,6 +5166,11 @@
"matugen not found status": { "matugen not found status": {
"Matugen Missing": "" "Matugen Missing": ""
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "minutos" "minutes": "minutos"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "" "No custom theme file": ""
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "" "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "" "Install color themes from the DMS theme registry": ""
}, },
"theme category option": {
"Auto": "",
"Browse": "",
"Custom": "",
"Generic": ""
},
"theme installation confirmation": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "" "Install theme '%1' from the DMS registry?": ""
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "" "Search themes...": ""
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "" "Uninstall": ""
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "" "Wallpaper Error": ""
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "" "Wallpaper processing failed": ""
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "Gerenciamento Externo de Papéis de Parede" "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": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype não disponível - installe wtype para suporte de colagem" "wtype not available - install wtype for paste support": "wtype não disponível - installe wtype para suporte de colagem"
}, },

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "Kontrol Merkezi" "Control Center": "Kontrol Merkezi"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "Şu anda oynatılan medyayı kontrol et" "Control currently playing media": "Şu anda oynatılan medyayı kontrol et"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "Bekleme" "Cooldown": "Bekleme"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "Panoya kopyalandı" "Copied to clipboard": "Panoya kopyalandı"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "uygulamalar" "apps": "uygulamalar"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "%1 tarafından" "by %1": "%1 tarafından"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "Catppuccin tabanlı rahatlatıcı pastel tema" "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 label": {
"Current Theme: %1": "Mevcut Tema: %1" "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": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Duvar Kağıdı Seç" "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": {
"days": "gün" "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 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." "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 description": {
"Dynamic colors from wallpaper": "Duvar kağıdından dinamik renkler" "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 not available - lock integration requires DMS socket connection": "loginctl kullanılabilir değil - kilit entegrasyonu DMS soket bağlantısı gerektirir" "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 error": {
"matugen not found - install matugen package for dynamic theming": "matugen bulunamadı - dinamik tema için matugen paketini yükleyin" "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 not found status": {
"Matugen Missing": "Matugen Bulunamadı" "Matugen Missing": "Matugen Bulunamadı"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "dakika" "minutes": "dakika"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "Özel tema dosyası yok" "No custom theme file": "Özel tema dosyası yok"
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "Eklenti ara..." "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "DMS kayıt defterinden renk teması" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "DMS tema kayıt defterinden renk temaları yükle" "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": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "DMS kayıt defterinden '%1' teması yüklensin mi?" "Install theme '%1' from the DMS registry?": "DMS kayıt defterinden '%1' teması yüklensin mi?"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "Tema ara..." "Search themes...": "Tema ara..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "Kaldır" "Uninstall": "Kaldır"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "Duvar Kağıdı Hatası" "Wallpaper Error": "Duvar Kağıdı Hatası"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "Duvar kağıdı işleme başarısız oldu" "Wallpaper processing failed": "Duvar kağıdı işleme başarısız oldu"
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "Harici Duvar Kağıdı Yönetimi" "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": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype mevcut değil - yapıştırma desteği için wtype'ı yükleyin" "wtype not available - install wtype for paste support": "wtype mevcut değil - yapıştırma desteği için wtype'ı yükleyin"
}, },

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "控制中心" "Control Center": "控制中心"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "控制当前播放的媒体" "Control currently playing media": "控制当前播放的媒体"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "冷却" "Cooldown": "冷却"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "复制到剪切板" "Copied to clipboard": "复制到剪切板"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "已连接" "Connected": "已连接"
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "启动kdeconnectd以使用此插件" "Start kdeconnectd to use this plugin": "启动kdeconnectd以使用此插件"
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "无设备" "No devices": "无设备"
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "未配对" "Not paired": "未配对"
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "不可用" "Unavailable": "不可用"
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "未知" "Unknown": "未知"
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "应用程序" "apps": "应用程序"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "%1" "by %1": "%1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "阴影" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "基于Catppuccin的舒缓且柔和的主题" "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 label": {
"Current Theme: %1": "当前主题:%1" "Current Theme: %1": "当前主题:%1"
}, },
@@ -4791,6 +4851,18 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "选择壁纸" "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": {
"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 config exists but is not included in your compositor config. Display changes won't persist.": "dms/输出配置存在,但不包含在你的合成器配置里。显示更改不会保留。" "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 description": {
"Dynamic colors from wallpaper": "自壁纸选取动态色" "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 not available - lock integration requires DMS socket connection": "loginctl 不可用 - 启用锁定集成需连接 DMS socket" "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 error": {
"matugen not found - install matugen package for dynamic theming": "未找到matugen - 请为动态主题安装matugen包" "matugen not found - install matugen package for dynamic theming": "未找到matugen - 请为动态主题安装matugen包"
}, },
@@ -5073,6 +5166,11 @@
"matugen not found status": { "matugen not found status": {
"Matugen Missing": "未找到matugen" "Matugen Missing": "未找到matugen"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "分钟" "minutes": "分钟"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "缺失自定义主题文件" "No custom theme file": "缺失自定义主题文件"
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "插件搜索中..." "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "DMS注册表的颜色主题" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "从DMS主题注册表安装色彩主题" "Install color themes from the DMS theme registry": "从DMS主题注册表安装色彩主题"
}, },
"theme category option": {
"Auto": "",
"Browse": "",
"Custom": "",
"Generic": ""
},
"theme installation confirmation": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "要从DMS注册表安装主题%1吗" "Install theme '%1' from the DMS registry?": "要从DMS注册表安装主题%1吗"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "主题搜索中..." "Search themes...": "主题搜索中..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "卸载" "Uninstall": "卸载"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "壁纸错误" "Wallpaper Error": "壁纸错误"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "壁纸处理失败" "Wallpaper processing failed": "壁纸处理失败"
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "外部壁纸管理" "External Wallpaper Management": "外部壁纸管理"
}, },
"wallpaper transition option": {
"Disc": "",
"Fade": "",
"Iris Bloom": "",
"None": "",
"Pixelate": "",
"Portal": "",
"Random": "",
"Stripes": "",
"Wipe": ""
},
"weather feels like temperature": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype不可用为支持粘贴请安装wtype" "wtype not available - install wtype for paste support": "wtype不可用为支持粘贴请安装wtype"
}, },

View File

@@ -950,6 +950,9 @@
"Control Center": { "Control Center": {
"Control Center": "控制台" "Control Center": "控制台"
}, },
"Control Center Tile Color": {
"Control Center Tile Color": ""
},
"Control currently playing media": { "Control currently playing media": {
"Control currently playing media": "控制目前播放器" "Control currently playing media": "控制目前播放器"
}, },
@@ -965,6 +968,15 @@
"Cooldown": { "Cooldown": {
"Cooldown": "冷卻時間" "Cooldown": "冷卻時間"
}, },
"Copied GIF": {
"Copied GIF": ""
},
"Copied MP4": {
"Copied MP4": ""
},
"Copied WebP": {
"Copied WebP": ""
},
"Copied to clipboard": { "Copied to clipboard": {
"Copied to clipboard": "複製到剪貼簿" "Copied to clipboard": "複製到剪貼簿"
}, },
@@ -2203,6 +2215,9 @@
"KDE Connect connected status": { "KDE Connect connected status": {
"Connected": "" "Connected": ""
}, },
"KDE Connect connected status | network status": {
"Connected": ""
},
"KDE Connect daemon hint": { "KDE Connect daemon hint": {
"Start kdeconnectd to use this plugin": "" "Start kdeconnectd to use this plugin": ""
}, },
@@ -2237,6 +2252,9 @@
"KDE Connect no devices status": { "KDE Connect no devices status": {
"No devices": "" "No devices": ""
}, },
"KDE Connect no devices status | bluetooth status": {
"No devices": ""
},
"KDE Connect not paired status": { "KDE Connect not paired status": {
"Not paired": "" "Not paired": ""
}, },
@@ -2332,6 +2350,9 @@
"KDE Connect unavailable status": { "KDE Connect unavailable status": {
"Unavailable": "" "Unavailable": ""
}, },
"KDE Connect unknown device status | battery status | power profile option | unknown author | widget status": {
"Unknown": ""
},
"KDE Connect unknown device status | unknown author": { "KDE Connect unknown device status | unknown author": {
"Unknown": "" "Unknown": ""
}, },
@@ -4758,12 +4779,39 @@
"apps": { "apps": {
"apps": "應用程式" "apps": "應用程式"
}, },
"audio status": {
"Muted": "",
"No input device": "",
"No output device": "",
"Select device": ""
},
"author attribution": { "author attribution": {
"by %1": "作者:%1" "by %1": "作者:%1"
}, },
"bar shadow settings card": { "bar shadow settings card": {
"Shadow": "陰影" "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": { "border color": {
"Color": "" "Color": ""
}, },
@@ -4776,6 +4824,18 @@
"catppuccin theme description": { "catppuccin theme description": {
"Soothing pastel theme based on Catppuccin": "基於 Catppuccin 的柔和粉彩主題" "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 label": {
"Current Theme: %1": "目前主題:%1" "Current Theme: %1": "目前主題:%1"
}, },
@@ -4791,6 +4851,18 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": { "dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "選擇桌布" "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": {
"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 config exists but is not included in your compositor config. Display changes won't persist.": "dms/outputs 組態存在,但未包含在您的合成器組態中。顯示變更將不會保留。" "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 description": {
"Dynamic colors from wallpaper": "從桌布產生動態色彩" "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 not available - lock integration requires DMS socket connection": "loginctl 不可用 - 鎖定整合需要 DMS 套接字連接" "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 error": {
"matugen not found - install matugen package for dynamic theming": "找不到 matugen - 請安裝 matugen 套件以實現動態主題" "matugen not found - install matugen package for dynamic theming": "找不到 matugen - 請安裝 matugen 套件以實現動態主題"
}, },
@@ -5073,6 +5166,11 @@
"matugen not found status": { "matugen not found status": {
"Matugen Missing": "Matugen 遺失" "Matugen Missing": "Matugen 遺失"
}, },
"media scroll wheel option": {
"Change Song": "",
"Change Volume": "",
"Nothing": ""
},
"minutes": { "minutes": {
"minutes": "分鐘" "minutes": "分鐘"
}, },
@@ -5085,6 +5183,15 @@
"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 status": {
"No custom theme file": "無自訂主題檔案" "No custom theme file": "無自訂主題檔案"
}, },
@@ -5162,6 +5269,17 @@
"plugin search placeholder": { "plugin search placeholder": {
"Search plugins...": "搜尋外掛..." "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 color": {
"Primary": "" "Primary": ""
}, },
@@ -5183,6 +5301,16 @@
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "來自 DMS 登錄檔的色彩主題" "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 color": {
"Secondary": "" "Secondary": ""
}, },
@@ -5227,6 +5355,12 @@
"theme browser description": { "theme browser description": {
"Install color themes from the DMS theme registry": "從 DMS 主題登錄檔安裝色彩主題" "Install color themes from the DMS theme registry": "從 DMS 主題登錄檔安裝色彩主題"
}, },
"theme category option": {
"Auto": "",
"Browse": "",
"Custom": "",
"Generic": ""
},
"theme installation confirmation": { "theme installation confirmation": {
"Install theme '%1' from the DMS registry?": "要從 DMS 登錄檔安裝主題「%1」嗎" "Install theme '%1' from the DMS registry?": "要從 DMS 登錄檔安裝主題「%1」嗎"
}, },
@@ -5236,6 +5370,10 @@
"theme search placeholder": { "theme search placeholder": {
"Search themes...": "搜尋主題..." "Search themes...": "搜尋主題..."
}, },
"tile color option": {
"Primary Container": "",
"Surface Variant": ""
},
"uninstall action button": { "uninstall action button": {
"Uninstall": "解除安裝" "Uninstall": "解除安裝"
}, },
@@ -5269,6 +5407,15 @@
"wallpaper error status": { "wallpaper error status": {
"Wallpaper Error": "桌布錯誤" "Wallpaper Error": "桌布錯誤"
}, },
"wallpaper fill mode": {
"Fill": "",
"Fit": "",
"Pad": "",
"Stretch": "",
"Tile": "",
"Tile H": "",
"Tile V": ""
},
"wallpaper processing error": { "wallpaper processing error": {
"Wallpaper processing failed": "桌布處理失敗" "Wallpaper processing failed": "桌布處理失敗"
}, },
@@ -5281,9 +5428,24 @@
"wallpaper settings external management": { "wallpaper settings external management": {
"External Wallpaper Management": "外部桌布管理" "External Wallpaper Management": "外部桌布管理"
}, },
"wallpaper transition option": {
"Disc": "",
"Fade": "",
"Iris Bloom": "",
"None": "",
"Pixelate": "",
"Portal": "",
"Random": "",
"Stripes": "",
"Wipe": ""
},
"weather feels like temperature": { "weather feels like temperature": {
"Feels Like %1°": "" "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 not available - install wtype for paste support": "wtype 未可用 - 請安裝 wtype 以支援貼上功能" "wtype not available - install wtype for paste support": "wtype 未可用 - 請安裝 wtype 以支援貼上功能"
}, },

File diff suppressed because it is too large Load Diff