1
0
mirror of https://github.com/AvengeMedia/DankMaterialShell.git synced 2026-01-24 13:32:50 -05:00

notifications: add support for none, count, app name, and full detail

for lock screen
fixes #557
This commit is contained in:
bbedward
2026-01-05 12:22:05 -05:00
parent 850e5b6572
commit 824792cca7
21 changed files with 6081 additions and 461 deletions

View File

@@ -19,3 +19,5 @@ This file is more of a quick reference so I know what to account for before next
- **BREAKING** vscode theme needs re-installed - **BREAKING** vscode theme needs re-installed
- dms doctor cmd - dms doctor cmd
- niri/hypr/mango gaps/window/border overrides - niri/hypr/mango gaps/window/border overrides
- settings search
- notification display ops on lock screen

View File

@@ -356,6 +356,7 @@ Singleton {
property bool fprintdAvailable: false property bool fprintdAvailable: false
property string lockScreenActiveMonitor: "all" property string lockScreenActiveMonitor: "all"
property string lockScreenInactiveColor: "#000000" property string lockScreenInactiveColor: "#000000"
property int lockScreenNotificationMode: 0
property bool hideBrightnessSlider: false property bool hideBrightnessSlider: false
property int notificationTimeoutLow: 5000 property int notificationTimeoutLow: 5000

View File

@@ -245,6 +245,7 @@ var SPEC = {
fprintdAvailable: { def: false, persist: false }, fprintdAvailable: { def: false, persist: false },
lockScreenActiveMonitor: { def: "all" }, lockScreenActiveMonitor: { def: "all" },
lockScreenInactiveColor: { def: "#000000" }, lockScreenInactiveColor: { def: "#000000" },
lockScreenNotificationMode: { def: 0 },
hideBrightnessSlider: { def: false }, hideBrightnessSlider: { def: false },
notificationTimeoutLow: { def: 5000 }, notificationTimeoutLow: { def: 5000 },

View File

@@ -348,10 +348,305 @@ Item {
opacity: 0.9 opacity: 0.9
} }
Item {
id: lockNotificationPanel
readonly property int notificationMode: SettingsData.lockScreenNotificationMode
readonly property var notifications: NotificationService.groupedNotifications
readonly property int totalCount: {
let count = 0;
for (const group of notifications) {
count += group.count || 0;
}
return count;
}
readonly property bool hasNotifications: totalCount > 0
readonly property var appNameGroups: {
const groups = {};
for (const group of notifications) {
const appName = (group.appName || "Unknown").toLowerCase();
if (!groups[appName]) {
groups[appName] = {
appName: group.appName || I18n.tr("Unknown"),
count: 0,
latestNotification: group.latestNotification
};
}
groups[appName].count += group.count || 0;
if (group.latestNotification && (!groups[appName].latestNotification || group.latestNotification.time > groups[appName].latestNotification.time)) {
groups[appName].latestNotification = group.latestNotification;
}
}
return Object.values(groups).sort((a, b) => b.count - a.count);
}
anchors.horizontalCenter: parent.horizontalCenter
anchors.top: dateText.visible ? dateText.bottom : clockContainer.bottom
anchors.topMargin: Theme.spacingM
width: Math.min(380, parent.width - Theme.spacingXL * 2)
height: notificationMode === 0 || !hasNotifications ? 0 : contentLoader.height
visible: notificationMode > 0 && hasNotifications
clip: true
Behavior on height {
NumberAnimation {
duration: Theme.mediumDuration
easing.type: Theme.standardEasing
}
}
Loader {
id: contentLoader
anchors.left: parent.left
anchors.right: parent.right
active: lockNotificationPanel.notificationMode > 0 && lockNotificationPanel.hasNotifications
sourceComponent: {
switch (lockNotificationPanel.notificationMode) {
case 1:
return countOnlyComponent;
case 2:
return appNamesComponent;
case 3:
return fullContentComponent;
default:
return null;
}
}
}
Component {
id: countOnlyComponent
Rectangle {
width: parent.width
height: 44
radius: Theme.cornerRadius
color: Qt.rgba(0, 0, 0, 0.3)
border.color: Qt.rgba(1, 1, 1, 0.1)
border.width: 1
Row {
anchors.centerIn: parent
spacing: Theme.spacingS
DankIcon {
name: "notifications"
size: Theme.iconSize
color: "white"
anchors.verticalCenter: parent.verticalCenter
}
StyledText {
text: lockNotificationPanel.totalCount === 1 ? I18n.tr("1 notification") : I18n.tr("%1 notifications").arg(lockNotificationPanel.totalCount)
font.pixelSize: Theme.fontSizeMedium
color: "white"
anchors.verticalCenter: parent.verticalCenter
}
}
}
}
Component {
id: appNamesComponent
Rectangle {
width: parent.width
height: Math.min(appNamesColumn.implicitHeight + Theme.spacingM * 2, 200)
radius: Theme.cornerRadius
color: Qt.rgba(0, 0, 0, 0.3)
border.color: Qt.rgba(1, 1, 1, 0.1)
border.width: 1
clip: true
Flickable {
anchors.fill: parent
anchors.margins: Theme.spacingM
contentHeight: appNamesColumn.implicitHeight
clip: true
boundsBehavior: Flickable.StopAtBounds
Column {
id: appNamesColumn
width: parent.width
spacing: Theme.spacingS
Repeater {
model: lockNotificationPanel.appNameGroups.slice(0, 5)
Row {
required property var modelData
width: parent.width
spacing: Theme.spacingS
DankIcon {
name: "notifications"
size: Theme.iconSize - 4
color: "white"
opacity: 0.8
anchors.verticalCenter: parent.verticalCenter
}
StyledText {
text: modelData.appName || I18n.tr("Unknown")
font.pixelSize: Theme.fontSizeMedium
color: "white"
elide: Text.ElideRight
width: parent.width - Theme.iconSize - countBadge.width - Theme.spacingS * 2
anchors.verticalCenter: parent.verticalCenter
}
Rectangle {
id: countBadge
width: countText.implicitWidth + Theme.spacingS * 2
height: 20
radius: 10
color: Qt.rgba(1, 1, 1, 0.2)
visible: modelData.count > 1
anchors.verticalCenter: parent.verticalCenter
StyledText {
id: countText
anchors.centerIn: parent
text: modelData.count > 99 ? "99+" : modelData.count.toString()
font.pixelSize: Theme.fontSizeSmall
color: "white"
}
}
}
}
StyledText {
visible: lockNotificationPanel.appNameGroups.length > 5
text: I18n.tr("+ %1 more").arg(lockNotificationPanel.appNameGroups.length - 5)
font.pixelSize: Theme.fontSizeSmall
color: "white"
opacity: 0.7
}
}
}
}
}
Component {
id: fullContentComponent
Rectangle {
width: parent.width
height: Math.min(fullContentColumn.implicitHeight + Theme.spacingM * 2, 280)
radius: Theme.cornerRadius
color: Qt.rgba(0, 0, 0, 0.3)
border.color: Qt.rgba(1, 1, 1, 0.1)
border.width: 1
clip: true
Flickable {
anchors.fill: parent
anchors.margins: Theme.spacingM
contentHeight: fullContentColumn.implicitHeight
clip: true
boundsBehavior: Flickable.StopAtBounds
Column {
id: fullContentColumn
width: parent.width
spacing: Theme.spacingM
Repeater {
model: {
const items = [];
for (const group of lockNotificationPanel.appNameGroups) {
if (group.latestNotification && items.length < 5) {
items.push(group.latestNotification);
}
}
return items;
}
Rectangle {
required property var modelData
required property int index
width: parent.width
height: notifContent.implicitHeight + Theme.spacingS * 2
radius: Theme.cornerRadius - 4
color: Qt.rgba(1, 1, 1, 0.05)
Column {
id: notifContent
anchors.left: parent.left
anchors.right: parent.right
anchors.top: parent.top
anchors.margins: Theme.spacingS
spacing: 2
Row {
width: parent.width
spacing: Theme.spacingXS
StyledText {
text: modelData.appName || I18n.tr("Unknown")
font.pixelSize: Theme.fontSizeSmall
font.weight: Font.Medium
color: "white"
opacity: 0.7
elide: Text.ElideRight
width: parent.width - timeText.implicitWidth - Theme.spacingXS
}
StyledText {
id: timeText
text: modelData.timeStr || ""
font.pixelSize: Theme.fontSizeSmall
color: "white"
opacity: 0.5
}
}
StyledText {
width: parent.width
text: modelData.summary || ""
font.pixelSize: Theme.fontSizeMedium
font.weight: Font.Medium
color: "white"
elide: Text.ElideRight
maximumLineCount: 1
visible: text.length > 0
}
StyledText {
width: parent.width
text: {
const body = modelData.body || "";
return body.replace(/<[^>]*>/g, '').replace(/\n/g, ' ');
}
font.pixelSize: Theme.fontSizeSmall
color: "white"
opacity: 0.8
elide: Text.ElideRight
maximumLineCount: 2
wrapMode: Text.WordWrap
visible: text.length > 0
}
}
}
}
StyledText {
visible: lockNotificationPanel.appNameGroups.length > 5
text: I18n.tr("+ %1 more").arg(lockNotificationPanel.appNameGroups.length - 5)
font.pixelSize: Theme.fontSizeSmall
color: "white"
opacity: 0.7
}
}
}
}
}
}
ColumnLayout { ColumnLayout {
id: passwordLayout id: passwordLayout
anchors.horizontalCenter: parent.horizontalCenter anchors.horizontalCenter: parent.horizontalCenter
anchors.top: dateText.visible ? dateText.bottom : clockContainer.bottom anchors.top: lockNotificationPanel.visible ? lockNotificationPanel.bottom : (dateText.visible ? dateText.bottom : clockContainer.bottom)
anchors.topMargin: Theme.spacingL anchors.topMargin: Theme.spacingL
spacing: Theme.spacingM spacing: Theme.spacingM
width: 380 width: 380

View File

@@ -622,9 +622,9 @@ Rectangle {
anchors.rightMargin: 16 anchors.rightMargin: 16
anchors.bottom: parent.bottom anchors.bottom: parent.bottom
anchors.bottomMargin: 8 anchors.bottomMargin: 8
width: clearText.width + 16 width: Math.max(clearText.implicitWidth + 12, 50)
height: clearText.height + 8 height: 24
radius: 6 radius: 4
color: isHovered ? Qt.rgba(Theme.primary.r, Theme.primary.g, Theme.primary.b, 0.1) : "transparent" color: isHovered ? Qt.rgba(Theme.primary.r, Theme.primary.g, Theme.primary.b, 0.1) : "transparent"
StyledText { StyledText {

View File

@@ -75,6 +75,21 @@ Item {
checked: SettingsData.lockScreenShowPasswordField checked: SettingsData.lockScreenShowPasswordField
onToggled: checked => SettingsData.set("lockScreenShowPasswordField", checked) onToggled: checked => SettingsData.set("lockScreenShowPasswordField", checked)
} }
SettingsDropdownRow {
settingKey: "lockScreenNotificationMode"
tags: ["lock", "screen", "notification", "notifications", "privacy"]
text: I18n.tr("Notification Display", "lock screen notification privacy setting")
description: I18n.tr("Control what notification information is shown on the lock screen", "lock screen notification privacy setting")
options: [I18n.tr("Disabled", "lock screen notification mode option"), I18n.tr("Count Only", "lock screen notification mode option"), I18n.tr("App Names", "lock screen notification mode option"), I18n.tr("Full Content", "lock screen notification mode option")]
currentValue: options[SettingsData.lockScreenNotificationMode] || options[0]
onValueChanged: value => {
const idx = options.indexOf(value);
if (idx >= 0) {
SettingsData.set("lockScreenNotificationMode", idx);
}
}
}
} }
SettingsCard { SettingsCard {

View File

@@ -162,6 +162,28 @@ Item {
} }
} }
SettingsCard {
width: parent.width
iconName: "lock"
title: I18n.tr("Lock Screen", "lock screen notifications settings card")
settingKey: "lockScreenNotifications"
SettingsDropdownRow {
settingKey: "lockScreenNotificationMode"
tags: ["lock", "screen", "notification", "notifications", "privacy"]
text: I18n.tr("Notification Display", "lock screen notification privacy setting")
description: I18n.tr("Control what notification information is shown on the lock screen", "lock screen notification privacy setting")
options: [I18n.tr("Disabled", "lock screen notification mode option"), I18n.tr("Count Only", "lock screen notification mode option"), I18n.tr("App Names", "lock screen notification mode option"), I18n.tr("Full Content", "lock screen notification mode option")]
currentValue: options[SettingsData.lockScreenNotificationMode] || options[0]
onValueChanged: value => {
const idx = options.indexOf(value);
if (idx >= 0) {
SettingsData.set("lockScreenNotificationMode", idx);
}
}
}
}
SettingsCard { SettingsCard {
width: parent.width width: parent.width
iconName: "timer" iconName: "timer"

File diff suppressed because it is too large Load Diff

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 trabajo(s)" "%1 job(s)": "%1 trabajo(s)"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 impresora(s)" "%1 printer(s)": "%1 impresora(s)"
}, },
@@ -38,6 +41,9 @@
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(Sin nombre)" "(Unnamed)": "(Sin nombre)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = esquinas cuadradas" "0 = square corners": "0 = esquinas cuadradas"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "1 minuto" "1 minute": "1 minuto"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "1 segundo" "1 second": "1 segundo"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "Información" "About": "Información"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "Aceptar trabajos" "Accept Jobs": "Aceptar trabajos"
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "Pantallas disponibles (%1)" "Available Screens (%1)": "Pantallas disponibles (%1)"
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "Opacidad del borde" "Border Opacity": "Opacidad del borde"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "Grosor del borde" "Border Thickness": "Grosor del borde"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "Escoje colores de la paleta" "Choose colors from palette": "Escoje colores de la paleta"
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "Elegir icono" "Choose icon": "Elegir icono"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "Comunicación" "Communication": "Comunicación"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "Modo compacto" "Compact Mode": "Modo compacto"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "Personal" "Custom": "Personal"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "Duracion personalizada" "Custom Duration": "Duracion personalizada"
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "Reloj de escritorio" "Desktop Clock": "Reloj de escritorio"
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "Desarrollo" "Development": "Desarrollo"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "Mostrar título de la aplicación enfocada" "Display currently focused application title": "Mostrar título de la aplicación enfocada"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "Mostrar solo los espacios que contengan ventanas" "Display only workspaces that contain windows": "Mostrar solo los espacios que contengan ventanas"
}, },
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "Fallo al escribir archivo temporal para la validacion" "Failed to write temp file for validation": "Fallo al escribir archivo temporal para la validacion"
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "Temperatura" "Feels Like": "Temperatura"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "Forzar que las aplicaciones de terminal usen esquemas de colores oscuros" "Force terminal applications to always use dark color schemes": "Forzar que las aplicaciones de terminal usen esquemas de colores oscuros"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "No hay previsión del tiempo disponible" "Forecast Not Available": "No hay previsión del tiempo disponible"
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "Previsión horaria" "Hourly Forecast": "Previsión horaria"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "Con qué frecuencia cambiar el fondo de pantalla" "How often to change wallpaper": "Con qué frecuencia cambiar el fondo de pantalla"
}, },
"Humidity": { "Humidity": {
"Humidity": "Humedad" "Humidity": "Humedad"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "Lo entiendo" "I Understand": "Lo entiendo"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "Gestión" "Management": "Gestión"
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "Coordenadas manuales" "Manual Coordinates": "Coordenadas manuales"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "Sin perfiles VPN" "No VPN profiles": "Sin perfiles VPN"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "No hay datos meteorológicos disponibles" "No Weather Data Available": "No hay datos meteorológicos disponibles"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "No conectado" "Not connected": "No conectado"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "Nota: esto sólo cambia el porcentaje, no limita realmente la carga." "Note: this only changes the percentage, it does not actually limit charging.": "Nota: esto sólo cambia el porcentaje, no limita realmente la carga."
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "Sobrescribir" "Override": "Sobrescribir"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "Anular radio de esquina" "Override Corner Radius": "Anular radio de esquina"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "Fuente de energia" "Power source": "Fuente de energia"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "Probabilidad de lluvia" "Precipitation Chance": "Probabilidad de lluvia"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "Esquinas redondeadas para ventanas" "Rounded corners for windows": "Esquinas redondeadas para ventanas"
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "Ejecutar plantillas de DMS" "Run DMS Templates": "Ejecutar plantillas de DMS"
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "Mostrar dock" "Show Dock": "Mostrar dock"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "Mostrar temperatura de la GPU" "Show GPU Temperature": "Mostrar temperatura de la GPU"
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "Mostrar números de horas" "Show Hour Numbers": "Mostrar números de horas"
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "Mostrar números de líneas" "Show Line Numbers": "Mostrar números de líneas"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "Mostrar Bloquear" "Show Lock": "Mostrar Bloquear"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "Mostrar Apagar" "Show Power Off": "Mostrar Apagar"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "Mostrar Reiniciar" "Show Reboot": "Mostrar Reiniciar"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "Mostrar segundos" "Show Seconds": "Mostrar segundos"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "Mostrar Suspender" "Show Suspend": "Mostrar Suspender"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "Mostrar procesos principales" "Show Top Processes": "Mostrar procesos principales"
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "Mostrar aplicaciones en el espacio de trabajo" "Show Workspace Apps": "Mostrar aplicaciones en el espacio de trabajo"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "Espacio entre ventanas" "Space between windows": "Espacio entre ventanas"
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "Espaciador" "Spacer": "Espaciador"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "Apilado" "Stacked": "Apilado"
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "Empezar" "Start": "Empezar"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "Tóner bajo" "Toner Low": "Tóner bajo"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "Arriba" "Top": "Arriba"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "Utilizar barras de progreso con efecto de ola para la reproducción de medios" "Use animated wave progress bars for media playback": "Utilizar barras de progreso con efecto de ola para la reproducción de medios"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "Utilizar un comando personalizado para actualizar el sistema" "Use custom command for update your system": "Utilizar un comando personalizado para actualizar el sistema"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "Usar radio de ventana personalizado en lugar del radio del tema" "Use custom window radius instead of theme radius": "Usar radio de ventana personalizado en lugar del radio del tema"
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Usar el lector de huellas dactilares para desbloquear la pantalla de bloqueo (requiere haber registrado huellas previamente)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Usar el lector de huellas dactilares para desbloquear la pantalla de bloqueo (requiere haber registrado huellas previamente)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "Usado" "Used": "Usado"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "Usuario" "User": "Usuario"
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "Paleta vibrante y juguetona." "Vibrant palette with playful saturation.": "Paleta vibrante y juguetona."
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "Visibilidad" "Visibility": "Visibilidad"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "Widget eliminado" "Widget removed": "Widget eliminado"
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "Viento" "Wind": "Viento"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "Separacion de ventanas (px)" "Window Gaps (px)": "Separacion de ventanas (px)"
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "Espacio de trabajo" "Workspace": "Espacio de trabajo"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "Temas de color inspirados en Material Design" "Material Design inspired color themes": "Temas de color inspirados en Material Design"
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "Instalar" "Install": "Instalar"
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "Cargando..." "Loading...": "Cargando..."
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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"
}, },

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 کار چاپ" "%1 job(s)": "%1 کار چاپ"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 چاپگر" "%1 printer(s)": "%1 چاپگر"
}, },
@@ -38,6 +41,9 @@
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(بدون نام)" "(Unnamed)": "(بدون نام)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "۰ = گوشه‌های مربعی" "0 = square corners": "۰ = گوشه‌های مربعی"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "۱ دقیقه" "1 minute": "۱ دقیقه"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "۱ ثانیه" "1 second": "۱ ثانیه"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "درباره" "About": "درباره"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "پذیرش کار‌های چاپ" "Accept Jobs": "پذیرش کار‌های چاپ"
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "نمایشگر‌های در دسترس (%1)" "Available Screens (%1)": "نمایشگر‌های در دسترس (%1)"
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "شفافیت حاشیه" "Border Opacity": "شفافیت حاشیه"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "ضخامت حاشیه" "Border Thickness": "ضخامت حاشیه"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "انتخاب رنگ‌ها از پالت رنگی" "Choose colors from palette": "انتخاب رنگ‌ها از پالت رنگی"
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "انتخاب آیکون" "Choose icon": "انتخاب آیکون"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "ارتباطات" "Communication": "ارتباطات"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "حالت فشرده" "Compact Mode": "حالت فشرده"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "سفارشی" "Custom": "سفارشی"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "مدت زمان سفارشی" "Custom Duration": "مدت زمان سفارشی"
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "ساعت دسکتاپ" "Desktop Clock": "ساعت دسکتاپ"
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "توسعه" "Development": "توسعه"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "نمایش عنوان برنامه فوکوس‌شده کنونی" "Display currently focused application title": "نمایش عنوان برنامه فوکوس‌شده کنونی"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "نمایش تنها workspaceهایی که شامل پنجره هستند" "Display only workspaces that contain windows": "نمایش تنها workspaceهایی که شامل پنجره هستند"
}, },
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "نوشتن فایل موقت برای اعتبارسنجی ناموفق بود" "Failed to write temp file for validation": "نوشتن فایل موقت برای اعتبارسنجی ناموفق بود"
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "احساس می‌شود" "Feels Like": "احساس می‌شود"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "اجبار برنامه‌های ترمینال به استفاده از رنگ‌های تاریک" "Force terminal applications to always use dark color schemes": "اجبار برنامه‌های ترمینال به استفاده از رنگ‌های تاریک"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "پیش‌بینی موجود نیست" "Forecast Not Available": "پیش‌بینی موجود نیست"
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "پیش‌بینی ساعتی" "Hourly Forecast": "پیش‌بینی ساعتی"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "چند وقت یکبار تصویر پس‌زمینه تغییر کند" "How often to change wallpaper": "چند وقت یکبار تصویر پس‌زمینه تغییر کند"
}, },
"Humidity": { "Humidity": {
"Humidity": "رطوبت" "Humidity": "رطوبت"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "متوجه شدم" "I Understand": "متوجه شدم"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "مدیریت" "Management": "مدیریت"
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "مختصات دستی" "Manual Coordinates": "مختصات دستی"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "پروفایل VPN یافت نشد" "No VPN profiles": "پروفایل VPN یافت نشد"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "داده آب و هوا در دسترس نیست" "No Weather Data Available": "داده آب و هوا در دسترس نیست"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "متصل نیست" "Not connected": "متصل نیست"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "نکته: این تنها درصد را تغییر می‌دهد، به طور واقعی محدودیت روی شارژ کردن اعمال نمی‌کند." "Note: this only changes the percentage, it does not actually limit charging.": "نکته: این تنها درصد را تغییر می‌دهد، به طور واقعی محدودیت روی شارژ کردن اعمال نمی‌کند."
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "جایگزین" "Override": "جایگزین"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "جایگزینی شعاع گوشه‌ها" "Override Corner Radius": "جایگزینی شعاع گوشه‌ها"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "منبع پاور" "Power source": "منبع پاور"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "احتمال بارش" "Precipitation Chance": "احتمال بارش"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "گوشه‌های گرد برای پنجره‌ها" "Rounded corners for windows": "گوشه‌های گرد برای پنجره‌ها"
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "اجرای قالب‌های DMS" "Run DMS Templates": "اجرای قالب‌های DMS"
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "نمایش داک" "Show Dock": "نمایش داک"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "نمایش دمای GPU" "Show GPU Temperature": "نمایش دمای GPU"
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "نمایش شماره‌های ساعت" "Show Hour Numbers": "نمایش شماره‌های ساعت"
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "نمایش شماره خطوط" "Show Line Numbers": "نمایش شماره خطوط"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "نمایش قفل" "Show Lock": "نمایش قفل"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "نمایش خاموش‌کردن" "Show Power Off": "نمایش خاموش‌کردن"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "نمایش راه‌اندازی مجدد" "Show Reboot": "نمایش راه‌اندازی مجدد"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "نمایش ثانیه‌ها" "Show Seconds": "نمایش ثانیه‌ها"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "نمایش تعلیق" "Show Suspend": "نمایش تعلیق"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "نمایش فرایند‌های مهم" "Show Top Processes": "نمایش فرایند‌های مهم"
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "نمایش برنامه‌های workspace" "Show Workspace Apps": "نمایش برنامه‌های workspace"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "فاصله بین پنجره‌ها" "Space between windows": "فاصله بین پنجره‌ها"
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "فاصله دهنده" "Spacer": "فاصله دهنده"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "انباشته" "Stacked": "انباشته"
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "شروع" "Start": "شروع"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "تونر کم است" "Toner Low": "تونر کم است"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "بالا" "Top": "بالا"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "استفاده از نوارهای پیشرفت موجی متحرک برای پخش رسانه" "Use animated wave progress bars for media playback": "استفاده از نوارهای پیشرفت موجی متحرک برای پخش رسانه"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "استفاده از دستور سفارشی برای بروزرسانی سیستم شما" "Use custom command for update your system": "استفاده از دستور سفارشی برای بروزرسانی سیستم شما"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "استفاده از شعاع پنجره سفارشی به جای شعاع تم" "Use custom window radius instead of theme radius": "استفاده از شعاع پنجره سفارشی به جای شعاع تم"
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "استفاده از اثر انگشت خوان برای احراز هویت صفحه قفل (نیاز به اثر انگشت ثبت شده دارد)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "استفاده از اثر انگشت خوان برای احراز هویت صفحه قفل (نیاز به اثر انگشت ثبت شده دارد)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "استفاده شده" "Used": "استفاده شده"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "کاربر" "User": "کاربر"
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "پالتر رنگی پر جنب و جوش با اشباع رنگی سرزنده." "Vibrant palette with playful saturation.": "پالتر رنگی پر جنب و جوش با اشباع رنگی سرزنده."
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "دید" "Visibility": "دید"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "ابزارک حذف شد" "Widget removed": "ابزارک حذف شد"
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "باد" "Wind": "باد"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "فاصله پنجره‌ها (px)" "Window Gaps (px)": "فاصله پنجره‌ها (px)"
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "Workspace" "Workspace": "Workspace"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "رنگ‌های تم الهام گرفته شده از متریال دیزاین" "Material Design inspired color themes": "رنگ‌های تم الهام گرفته شده از متریال دیزاین"
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "نصب" "Install": "نصب"
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "درحال بارگذاری..." "Loading...": "درحال بارگذاری..."
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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 نیاز دارد"
}, },

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 עבודות" "%1 job(s)": "%1 עבודות"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 מדפסות" "%1 printer(s)": "%1 מדפסות"
}, },
@@ -38,6 +41,9 @@
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(ללא שם)" "(Unnamed)": "(ללא שם)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = פינות מרובעות" "0 = square corners": "0 = פינות מרובעות"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "דקה אחת" "1 minute": "דקה אחת"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "שנייה אחת" "1 second": "שנייה אחת"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "אודות" "About": "אודות"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "קבל/י עבודות" "Accept Jobs": "קבל/י עבודות"
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "" "Available Screens (%1)": ""
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "שקיפות המסגרת" "Border Opacity": "שקיפות המסגרת"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "עובי המסגרת" "Border Thickness": "עובי המסגרת"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "" "Choose colors from palette": ""
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "בחר/י סמל" "Choose icon": "בחר/י סמל"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "תקשורת" "Communication": "תקשורת"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "מצב קומפקטי" "Compact Mode": "מצב קומפקטי"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "מותאם אישית" "Custom": "מותאם אישית"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "משך מותאם אישית" "Custom Duration": "משך מותאם אישית"
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "" "Desktop Clock": ""
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "פיתוח" "Development": "פיתוח"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "הצג/י את כותרת האפליקציה שנמצאת כרגע במוקד" "Display currently focused application title": "הצג/י את כותרת האפליקציה שנמצאת כרגע במוקד"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "הצג/י רק סביבות עבודה שמכילות חלונות" "Display only workspaces that contain windows": "הצג/י רק סביבות עבודה שמכילות חלונות"
}, },
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "" "Failed to write temp file for validation": ""
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "מרגיש כמו" "Feels Like": "מרגיש כמו"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "אלץ/י יישומי מסוף להשתמש תמיד בערכות צבעים כהות" "Force terminal applications to always use dark color schemes": "אלץ/י יישומי מסוף להשתמש תמיד בערכות צבעים כהות"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "תחזית לא זמינה" "Forecast Not Available": "תחזית לא זמינה"
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "תחזית שעתית" "Hourly Forecast": "תחזית שעתית"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "כל כמה זמן להחליף רקע" "How often to change wallpaper": "כל כמה זמן להחליף רקע"
}, },
"Humidity": { "Humidity": {
"Humidity": "לחות" "Humidity": "לחות"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "הבנתי" "I Understand": "הבנתי"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "" "Management": ""
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "קואורדינטות ידניות" "Manual Coordinates": "קואורדינטות ידניות"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "אין פרופילי VPN" "No VPN profiles": "אין פרופילי VPN"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "אין נתוני מזג אוויר זמינים" "No Weather Data Available": "אין נתוני מזג אוויר זמינים"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "לא מחובר" "Not connected": "לא מחובר"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "" "Note: this only changes the percentage, it does not actually limit charging.": ""
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "דריסה" "Override": "דריסה"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "" "Override Corner Radius": ""
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "מקור חשמל" "Power source": "מקור חשמל"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "סיכוי למשקעים" "Precipitation Chance": "סיכוי למשקעים"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "" "Rounded corners for windows": ""
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "" "Run DMS Templates": ""
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "הצג/י Dock" "Show Dock": "הצג/י Dock"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "" "Show GPU Temperature": ""
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "" "Show Hour Numbers": ""
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "הצג/י מספרי שורות" "Show Line Numbers": "הצג/י מספרי שורות"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "הצג/י נעילה" "Show Lock": "הצג/י נעילה"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "הצג/י כיבוי" "Show Power Off": "הצג/י כיבוי"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "הצג/י הפעלה מחדש" "Show Reboot": "הצג/י הפעלה מחדש"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "הצג/י שניות" "Show Seconds": "הצג/י שניות"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "הצג/י השהיה" "Show Suspend": "הצג/י השהיה"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "" "Show Top Processes": ""
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "הצג/י אפליקציות בסביבת העבודה" "Show Workspace Apps": "הצג/י אפליקציות בסביבת העבודה"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "" "Space between windows": ""
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "מרווח" "Spacer": "מרווח"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "" "Stacked": ""
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "התחל/י" "Start": "התחל/י"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "הטונר עומד להסתיים" "Toner Low": "הטונר עומד להסתיים"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "למעלה" "Top": "למעלה"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "השתמש/י בסרגלי התקדמות מונפשים בצורת גלים לניגון מדיה" "Use animated wave progress bars for media playback": "השתמש/י בסרגלי התקדמות מונפשים בצורת גלים לניגון מדיה"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "השתמש/י בפקודה מותאמת אישית לעדכון המערכת" "Use custom command for update your system": "השתמש/י בפקודה מותאמת אישית לעדכון המערכת"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "" "Use custom window radius instead of theme radius": ""
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "השתמש/י בקורא טביעות אצבע לאימות במסך הנעילה (דורש טביעות אצבע רשומות)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "השתמש/י בקורא טביעות אצבע לאימות במסך הנעילה (דורש טביעות אצבע רשומות)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "בשימוש" "Used": "בשימוש"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "" "User": ""
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "פלטת צבעים עשירה עם רוויה משחקית." "Vibrant palette with playful saturation.": "פלטת צבעים עשירה עם רוויה משחקית."
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "ראות" "Visibility": "ראות"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "" "Widget removed": ""
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "רוח" "Wind": "רוח"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "" "Window Gaps (px)": ""
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "סביבת עבודה" "Workspace": "סביבת עבודה"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "" "Material Design inspired color themes": ""
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "" "Install": ""
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "" "Loading...": ""
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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"
}, },

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 feladat(ok)" "%1 job(s)": "%1 feladat(ok)"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 nyomtató(k)" "%1 printer(s)": "%1 nyomtató(k)"
}, },
@@ -33,11 +36,14 @@
"%1 widgets": "%1 widget" "%1 widgets": "%1 widget"
}, },
"%1m ago": { "%1m ago": {
"%1m ago": "" "%1m ago": "%1 perccel ezelőtt"
}, },
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(Névtelen)" "(Unnamed)": "(Névtelen)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = szögletes sarkok" "0 = square corners": "0 = szögletes sarkok"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "1 perc" "1 minute": "1 perc"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "1 másodperc" "1 second": "1 másodperc"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "Névjegy" "About": "Névjegy"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "Feladatok elfogadása" "Accept Jobs": "Feladatok elfogadása"
}, },
@@ -231,7 +243,7 @@
"Always show a minimum of 3 workspaces, even if fewer are available": "Mindig mutasson legalább 3 munkaterületet, még ha nincs is annyi" "Always show a minimum of 3 workspaces, even if fewer are available": "Mindig mutasson legalább 3 munkaterületet, még ha nincs is annyi"
}, },
"Always show the dock when niri's overview is open": { "Always show the dock when niri's overview is open": {
"Always show the dock when niri's overview is open": "Dokk mutatása mindig, ha a niri-áttekintés nyitva van" "Always show the dock when niri's overview is open": "Dokk megjelenítése mindig, ha a niri-áttekintés nyitva van"
}, },
"Always show when there's only one connected display": { "Always show when there's only one connected display": {
"Always show when there's only one connected display": "Megjelenítés mindig, amikor csak egy csatlakoztatott kijelző van" "Always show when there's only one connected display": "Megjelenítés mindig, amikor csak egy csatlakoztatott kijelző van"
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "Elérhető kijelzők (%1)" "Available Screens (%1)": "Elérhető kijelzők (%1)"
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "Szegély átlátszósága" "Border Opacity": "Szegély átlátszósága"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "Szegély vastagsága" "Border Thickness": "Szegély vastagsága"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "Válassz színeket a palettáról" "Choose colors from palette": "Válassz színeket a palettáról"
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "Ikon kiválasztása" "Choose icon": "Ikon kiválasztása"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "Kommunikáció" "Communication": "Kommunikáció"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "Kompakt mód" "Compact Mode": "Kompakt mód"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "Egyéni" "Custom": "Egyéni"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "Egyéni időtartam" "Custom Duration": "Egyéni időtartam"
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "Asztali óra" "Desktop Clock": "Asztali óra"
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "Fejlesztés" "Development": "Fejlesztés"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "Jelenleg fókuszban lévő alkalmazás címének megjelenítése" "Display currently focused application title": "Jelenleg fókuszban lévő alkalmazás címének megjelenítése"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "Csak azokat a munkaterületeket jelenítse meg, amelyek ablakokat tartalmaznak" "Display only workspaces that contain windows": "Csak azokat a munkaterületeket jelenítse meg, amelyek ablakokat tartalmaznak"
}, },
@@ -1266,7 +1299,7 @@
"Enable GPU Temperature": "GPU hőmérséklet engedélyezése" "Enable GPU Temperature": "GPU hőmérséklet engedélyezése"
}, },
"Enable Overview Overlay": { "Enable Overview Overlay": {
"Enable Overview Overlay": "Áttekintő fedvény engedélyezése" "Enable Overview Overlay": "Áttekintő átfedés engedélyezése"
}, },
"Enable System Monitor": { "Enable System Monitor": {
"Enable System Monitor": "Rendszerfigyelő engedélyezése" "Enable System Monitor": "Rendszerfigyelő engedélyezése"
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "Nem sikerült írni az ideiglenes fájlt az ellenőrzéshez" "Failed to write temp file for validation": "Nem sikerült írni az ideiglenes fájlt az ellenőrzéshez"
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "Hőérzet" "Feels Like": "Hőérzet"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "Terminálalkalmazások kényszerítése sötét színsémák használatára" "Force terminal applications to always use dark color schemes": "Terminálalkalmazások kényszerítése sötét színsémák használatára"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "Előrejelzés nem elérhető" "Forecast Not Available": "Előrejelzés nem elérhető"
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "Óránkénti előrejelzés" "Hourly Forecast": "Óránkénti előrejelzés"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "Milyen gyakran változzon a háttérkép" "How often to change wallpaper": "Milyen gyakran változzon a háttérkép"
}, },
"Humidity": { "Humidity": {
"Humidity": "Páratartalom" "Humidity": "Páratartalom"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "Megértettem" "I Understand": "Megértettem"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "Kezelés" "Management": "Kezelés"
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "Manuális koordináták" "Manual Coordinates": "Manuális koordináták"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "Nincs VPN-profil" "No VPN profiles": "Nincs VPN-profil"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "Nincs elérhető időjárási adat" "No Weather Data Available": "Nincs elérhető időjárási adat"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "Nincs csatlakozva" "Not connected": "Nincs csatlakozva"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "Megjegyzés: ez csak a százalékot módosítja, ténylegesen nem korlátozza a töltést." "Note: this only changes the percentage, it does not actually limit charging.": "Megjegyzés: ez csak a százalékot módosítja, ténylegesen nem korlátozza a töltést."
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "Felülírás" "Override": "Felülírás"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "Sarokkerekítés felülbírálása" "Override Corner Radius": "Sarokkerekítés felülbírálása"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "Áramforrás" "Power source": "Áramforrás"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "Csapadék esélye" "Precipitation Chance": "Csapadék esélye"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "Lekerekített sarkok az ablakoknál" "Rounded corners for windows": "Lekerekített sarkok az ablakoknál"
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "DMS-sablonok futtatása" "Run DMS Templates": "DMS-sablonok futtatása"
}, },
@@ -3096,38 +3165,53 @@
"Show All Tags": "Összes címke megjelenítése" "Show All Tags": "Összes címke megjelenítése"
}, },
"Show CPU": { "Show CPU": {
"Show CPU": "CPU mutatása" "Show CPU": "CPU megjelenítése"
}, },
"Show CPU Graph": { "Show CPU Graph": {
"Show CPU Graph": "CPU grafikon mutatása" "Show CPU Graph": "CPU grafikon megjelenítése"
}, },
"Show CPU Temp": { "Show CPU Temp": {
"Show CPU Temp": "CPU hőmérséklet mutatása" "Show CPU Temp": "CPU hőmérséklet megjelenítése"
}, },
"Show Date": { "Show Date": {
"Show Date": "Dátum mutatása" "Show Date": "Dátum megjelenítése"
}, },
"Show Disk": { "Show Disk": {
"Show Disk": "Lemez mutatása" "Show Disk": "Lemez megjelenítése"
}, },
"Show Dock": { "Show Dock": {
"Show Dock": "Dokk megjelenítése" "Show Dock": "Dokk megjelenítése"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "GPU hőmérséklet mutatása" "Show GPU Temperature": "GPU hőmérséklet megjelenítése"
}, },
"Show Header": { "Show Header": {
"Show Header": "Fejléc mutatása" "Show Header": "Fejléc megjelenítése"
}, },
"Show Hibernate": { "Show Hibernate": {
"Show Hibernate": "Hibernáció megjelenítése" "Show Hibernate": "Hibernáció megjelenítése"
}, },
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "Óraszámok mutatása" "Show Hour Numbers": "Óraszámok megjelenítése"
},
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
}, },
"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"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "Zárolás megjelenítése" "Show Lock": "Zárolás megjelenítése"
}, },
@@ -3135,16 +3219,16 @@
"Show Log Out": "Kijelentkezés megjelenítése" "Show Log Out": "Kijelentkezés megjelenítése"
}, },
"Show Memory": { "Show Memory": {
"Show Memory": "Memória mutatása" "Show Memory": "Memória megjelenítése"
}, },
"Show Memory Graph": { "Show Memory Graph": {
"Show Memory Graph": "Memória grafikon mutatása" "Show Memory Graph": "Memória grafikon megjelenítése"
}, },
"Show Network": { "Show Network": {
"Show Network": "Hálózat mutatása" "Show Network": "Hálózat megjelenítése"
}, },
"Show Network Graph": { "Show Network Graph": {
"Show Network Graph": "Hálózati grafikon mutatása" "Show Network Graph": "Hálózati grafikon megjelenítése"
}, },
"Show Occupied Workspaces Only": { "Show Occupied Workspaces Only": {
"Show Occupied Workspaces Only": "Csak az elfoglalt munkaterületek megjelenítése" "Show Occupied Workspaces Only": "Csak az elfoglalt munkaterületek megjelenítése"
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "Leállítás megjelenítése" "Show Power Off": "Leállítás megjelenítése"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "Újraindítás megjelenítése" "Show Reboot": "Újraindítás megjelenítése"
}, },
@@ -3161,11 +3251,23 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "Másodpercek megjelenítése" "Show Seconds": "Másodpercek megjelenítése"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "Felfüggesztés megjelenítése" "Show Suspend": "Felfüggesztés megjelenítése"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "Top folyamatok mutatása" "Show Top Processes": "Top folyamatok megjelenítése"
},
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
}, },
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "Munkaterület alkalmazások megjelenítése" "Show Workspace Apps": "Munkaterület alkalmazások megjelenítése"
@@ -3174,19 +3276,19 @@
"Show all 9 tags instead of only occupied tags (DWL only)": "Mind a 9 címke megjelenítése a csak foglalt címkék helyett (csak DWL)" "Show all 9 tags instead of only occupied tags (DWL only)": "Mind a 9 címke megjelenítése a csak foglalt címkék helyett (csak DWL)"
}, },
"Show cava audio visualizer in media widget": { "Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": "Cava hangvizualizáló mutatása a média widgetben" "Show cava audio visualizer in media widget": "Cava hangvizualizáló megjelenítése a média widgeten"
}, },
"Show darkened overlay behind modal dialogs": { "Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "Sötétített fedvény megjelenítése a modális párbeszédablakok mögött" "Show darkened overlay behind modal dialogs": "Sötétített átfedés megjelenítése a modális párbeszédablakok mögött"
}, },
"Show launcher overlay when typing in Niri overview. Disable to use another launcher.": { "Show launcher overlay when typing in Niri overview. Disable to use another launcher.": {
"Show launcher overlay when typing in Niri overview. Disable to use another launcher.": "Indító felület megjelenítése, amikor gépelsz a Niri-áttekintésben. Kapcsold ki, ha másik indítót használsz." "Show launcher overlay when typing in Niri overview. Disable to use another launcher.": "Indító átfedés megjelenítése, amikor gépelsz a Niri-áttekintésben. Kapcsold ki, ha másik indítót használsz."
}, },
"Show on Last Display": { "Show on Last Display": {
"Show on Last Display": "Megjelenítés az utolsó kijelzőn" "Show on Last Display": "Megjelenítés az utolsó kijelzőn"
}, },
"Show on Overlay": { "Show on Overlay": {
"Show on Overlay": "Mutatás az átfedésen" "Show on Overlay": "Megjelenítés az átfedésen"
}, },
"Show on Overview": { "Show on Overview": {
"Show on Overview": "Megjelenítés az áttekintésben" "Show on Overview": "Megjelenítés az áttekintésben"
@@ -3198,28 +3300,28 @@
"Show on screens:": "Megjelenítés képernyőkön:" "Show on screens:": "Megjelenítés képernyőkön:"
}, },
"Show on-screen display when brightness changes": { "Show on-screen display when brightness changes": {
"Show on-screen display when brightness changes": "Képernyőn megjelenő kijelző mutatása, amikor a fényerő változik" "Show on-screen display when brightness changes": "Képernyőn megjelenő kijelző megjelenítése, amikor a fényerő változik"
}, },
"Show on-screen display when caps lock state changes": { "Show on-screen display when caps lock state changes": {
"Show on-screen display when caps lock state changes": "Képernyőn megjelenő kijelző mutatása, amikor a caps lock állapota változik" "Show on-screen display when caps lock state changes": "Képernyőn megjelenő kijelző megjelenítése, amikor a caps lock állapota változik"
}, },
"Show on-screen display when cycling audio output devices": { "Show on-screen display when cycling audio output devices": {
"Show on-screen display when cycling audio output devices": "Képernyőn megjelenő kijelző mutatása hangkimeneti eszközök váltásakor" "Show on-screen display when cycling audio output devices": "Képernyőn megjelenő kijelző megjelenítése hangkimeneti eszközök váltásakor"
}, },
"Show on-screen display when idle inhibitor state changes": { "Show on-screen display when idle inhibitor state changes": {
"Show on-screen display when idle inhibitor state changes": "Képernyőn megjelenő kijelző mutatása, amikor az inaktivitás megakadályozó állapota változik" "Show on-screen display when idle inhibitor state changes": "Képernyőn megjelenő kijelző megjelenítése, amikor az inaktivitás megakadályozó állapota változik"
}, },
"Show on-screen display when media player volume changes": { "Show on-screen display when media player volume changes": {
"Show on-screen display when media player volume changes": "Képernyőn megjelenő kijelző mutatása, amikor a médialejátszó hangereje változik" "Show on-screen display when media player volume changes": "Képernyőn megjelenő kijelző megjelenítése, amikor a médialejátszó hangereje változik"
}, },
"Show on-screen display when microphone is muted/unmuted": { "Show on-screen display when microphone is muted/unmuted": {
"Show on-screen display when microphone is muted/unmuted": "Képernyőn megjelenő kijelző mutatása, amikor a mikrofon némítva van/fel van oldva" "Show on-screen display when microphone is muted/unmuted": "Képernyőn megjelenő kijelző megjelenítése, amikor a mikrofon némítva van/fel van oldva"
}, },
"Show on-screen display when power profile changes": { "Show on-screen display when power profile changes": {
"Show on-screen display when power profile changes": "Képernyőn megjelenő kijelző mutatása, amikor az energia profil változik" "Show on-screen display when power profile changes": "Képernyőn megjelenő kijelző megjelenítése, amikor az energia profil változik"
}, },
"Show on-screen display when volume changes": { "Show on-screen display when volume changes": {
"Show on-screen display when volume changes": "Képernyőn megjelenő kijelző mutatása, amikor a hangerő változik" "Show on-screen display when volume changes": "Képernyőn megjelenő kijelző megjelenítése, amikor a hangerő változik"
}, },
"Show only apps running in current workspace": { "Show only apps running in current workspace": {
"Show only apps running in current workspace": "Csak az aktuális munkaterületen futó alkalmazások megjelenítése" "Show only apps running in current workspace": "Csak az aktuális munkaterületen futó alkalmazások megjelenítése"
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "Ablakok közötti hely" "Space between windows": "Ablakok közötti hely"
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "Térköz" "Spacer": "Térköz"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "Halmozott" "Stacked": "Halmozott"
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "Indítás" "Start": "Indítás"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "Toner alacsony" "Toner Low": "Toner alacsony"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "Felső" "Top": "Felső"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "Animált, hullámzó folyamatjelzők használata a médialejátszáshoz" "Use animated wave progress bars for media playback": "Animált, hullámzó folyamatjelzők használata a médialejátszáshoz"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "Egyéni parancs használata a rendszer frissítéséhez" "Use custom command for update your system": "Egyéni parancs használata a rendszer frissítéséhez"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "Egyéni ablaksugár használata a téma sugara helyett" "Use custom window radius instead of theme radius": "Egyéni ablaksugár használata a téma sugara helyett"
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Ujjlenyomat-olvasó használata a zárolási képernyőn történő hitelesítéshez (regisztrált ujjlenyomatok szükségesek)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Ujjlenyomat-olvasó használata a zárolási képernyőn történő hitelesítéshez (regisztrált ujjlenyomatok szükségesek)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "Használt" "Used": "Használt"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "Felhasználó" "User": "Felhasználó"
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "Élénk paletta játékos telítettséggel." "Vibrant palette with playful saturation.": "Élénk paletta játékos telítettséggel."
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "Láthatóság" "Visibility": "Láthatóság"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "Widget eltávolítva" "Widget removed": "Widget eltávolítva"
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "Szél" "Wind": "Szél"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "Ablakközök (px)" "Window Gaps (px)": "Ablakközök (px)"
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "Munkaterület" "Workspace": "Munkaterület"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "Material Design ihlette színtémák" "Material Design inspired color themes": "Material Design ihlette színtémák"
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "Telepítés" "Install": "Telepítés"
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "Betöltés…" "Loading...": "Betöltés…"
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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"
}, },
@@ -4050,28 +4343,28 @@
}, },
"notification center tab": { "notification center tab": {
"Current": "", "Current": "",
"History": "" "History": "Előzmények"
}, },
"notification history filter": { "notification history filter": {
"All": "", "All": "Összes",
"Last hour": "", "Last hour": "",
"Today": "", "Today": "Ma",
"Yesterday": "" "Yesterday": "Tegnap"
}, },
"notification history filter for content older than other filters": { "notification history filter for content older than other filters": {
"Older": "" "Older": ""
}, },
"notification history filter | notification history retention option": { "notification history filter | notification history retention option": {
"30 days": "", "30 days": "30 nap",
"7 days": "" "7 days": "7 nap"
}, },
"notification history limit": { "notification history limit": {
"Maximum number of notifications to keep": "" "Maximum number of notifications to keep": ""
}, },
"notification history retention option": { "notification history retention option": {
"1 day": "", "1 day": "1 nap",
"14 days": "", "14 days": "14 nap",
"3 days": "", "3 days": "3 nap",
"Forever": "" "Forever": ""
}, },
"notification history retention settings label": { "notification history retention settings label": {
@@ -4090,7 +4383,7 @@
"Enable History": "" "Enable History": ""
}, },
"now": { "now": {
"now": "" "now": "most"
}, },
"official": { "official": {
"official": "hivatalos" "official": "hivatalos"
@@ -4189,7 +4482,7 @@
"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"
}, },
"yesterday": { "yesterday": {
"yesterday": "" "yesterday": "tegnap"
}, },
"• Install only from trusted sources": { "• Install only from trusted sources": {
"• Install only from trusted sources": "Csak hivatalos forrásokból telepítsen" "• Install only from trusted sources": "Csak hivatalos forrásokból telepítsen"

File diff suppressed because it is too large Load Diff

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "" "%1 job(s)": ""
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "" "%1 printer(s)": ""
}, },
@@ -38,6 +41,9 @@
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(名前なし)" "(Unnamed)": "(名前なし)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "" "0 = square corners": ""
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "" "1 minute": ""
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "" "1 second": ""
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "詳細" "About": "詳細"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "" "Accept Jobs": ""
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "" "Available Screens (%1)": ""
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "" "BSSID": ""
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "ボーダーの透明度" "Border Opacity": "ボーダーの透明度"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "ボーダーの太さ" "Border Thickness": "ボーダーの太さ"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "" "Choose colors from palette": ""
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "アイコンを選ぶ" "Choose icon": "アイコンを選ぶ"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "コミュニケーション" "Communication": "コミュニケーション"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "コンパクトモード" "Compact Mode": "コンパクトモード"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "カスタム" "Custom": "カスタム"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "" "Custom Duration": ""
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "" "Desktop Clock": ""
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "開発" "Development": "開発"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "現在フォーカスされているアプリケーションのタイトルを表示" "Display currently focused application title": "現在フォーカスされているアプリケーションのタイトルを表示"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "" "Display only workspaces that contain windows": ""
}, },
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "" "Failed to write temp file for validation": ""
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "どうやら" "Feels Like": "どうやら"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "端末アプリで常に暗い配色を強制使用" "Force terminal applications to always use dark color schemes": "端末アプリで常に暗い配色を強制使用"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "" "Forecast Not Available": ""
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "" "Hourly Forecast": ""
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "壁紙を切り替える間隔" "How often to change wallpaper": "壁紙を切り替える間隔"
}, },
"Humidity": { "Humidity": {
"Humidity": "湿度" "Humidity": "湿度"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "わかりました" "I Understand": "わかりました"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "" "Management": ""
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "手動座標" "Manual Coordinates": "手動座標"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "" "No VPN profiles": ""
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "気象データはありません" "No Weather Data Available": "気象データはありません"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "" "Not connected": ""
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "" "Note: this only changes the percentage, it does not actually limit charging.": ""
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "" "Override": ""
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "" "Override Corner Radius": ""
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "" "Power source": ""
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "" "Precipitation Chance": ""
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "" "Rounded corners for windows": ""
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "" "Run DMS Templates": ""
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "ドックを表示" "Show Dock": "ドックを表示"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "" "Show GPU Temperature": ""
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "" "Show Hour Numbers": ""
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "行番号を表示" "Show Line Numbers": "行番号を表示"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "ロックを表示" "Show Lock": "ロックを表示"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "パワーオフを表示" "Show Power Off": "パワーオフを表示"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "再起動を表示" "Show Reboot": "再起動を表示"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "" "Show Seconds": ""
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "一時停止を表示" "Show Suspend": "一時停止を表示"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "" "Show Top Processes": ""
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "ワークスペースアプリを表示" "Show Workspace Apps": "ワークスペースアプリを表示"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "" "Space between windows": ""
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "間隔" "Spacer": "間隔"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "" "Stacked": ""
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "始める" "Start": "始める"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "トナーが低い" "Toner Low": "トナーが低い"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "トップ" "Top": "トップ"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "アニメーション化されたウェーブの進行状況バーをメディア再生に使用" "Use animated wave progress bars for media playback": "アニメーション化されたウェーブの進行状況バーをメディア再生に使用"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "カスタムコマンドを使用してシステムを更新" "Use custom command for update your system": "カスタムコマンドを使用してシステムを更新"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "" "Use custom window radius instead of theme radius": ""
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "ロック画面認証に指紋リーダーを使用(登録された指紋が必要)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "ロック画面認証に指紋リーダーを使用(登録された指紋が必要)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "使用済み" "Used": "使用済み"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "" "User": ""
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "遊び心のある彩度の鮮やかなパレット。" "Vibrant palette with playful saturation.": "遊び心のある彩度の鮮やかなパレット。"
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "可視性" "Visibility": "可視性"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "" "Widget removed": ""
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "風" "Wind": "風"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "" "Window Gaps (px)": ""
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "ワークスペース" "Workspace": "ワークスペース"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "" "Material Design inspired color themes": ""
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "" "Install": ""
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "" "Loading...": ""
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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の接続が必要です。"
}, },

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 zadań" "%1 job(s)": "%1 zadań"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 drukarek" "%1 printer(s)": "%1 drukarek"
}, },
@@ -38,6 +41,9 @@
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(Bez nazwy)" "(Unnamed)": "(Bez nazwy)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = kwadratowe rogi" "0 = square corners": "0 = kwadratowe rogi"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "1 minuta" "1 minute": "1 minuta"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "1 sekunda" "1 second": "1 sekunda"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "O programie" "About": "O programie"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "Akceptuj zadania" "Accept Jobs": "Akceptuj zadania"
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "Dostępne Ekrany (%1)" "Available Screens (%1)": "Dostępne Ekrany (%1)"
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "Przezroczystość obramowania" "Border Opacity": "Przezroczystość obramowania"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "Grubość obramowania" "Border Thickness": "Grubość obramowania"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "Wybierz kolory z palety" "Choose colors from palette": "Wybierz kolory z palety"
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "Wybierz ikonę" "Choose icon": "Wybierz ikonę"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "Komunikacja" "Communication": "Komunikacja"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "Tryb kompaktowy" "Compact Mode": "Tryb kompaktowy"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "Niestandardowy" "Custom": "Niestandardowy"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "Czas trwania niestandardowy" "Custom Duration": "Czas trwania niestandardowy"
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "Zegar na Pulpicie" "Desktop Clock": "Zegar na Pulpicie"
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "Programowanie" "Development": "Programowanie"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "Wyświetlaj tytuł aktywnej aplikacji" "Display currently focused application title": "Wyświetlaj tytuł aktywnej aplikacji"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "Wyświetlaj tylko obszary robocze zawierające okna" "Display only workspaces that contain windows": "Wyświetlaj tylko obszary robocze zawierające okna"
}, },
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "Zapisanie pliku tymczasowego do walidacji nie powiodło się" "Failed to write temp file for validation": "Zapisanie pliku tymczasowego do walidacji nie powiodło się"
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "Odczuwalna" "Feels Like": "Odczuwalna"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "Wymuś ciemny motyw na aplikacjach terminala" "Force terminal applications to always use dark color schemes": "Wymuś ciemny motyw na aplikacjach terminala"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "Prognoza niedostępna" "Forecast Not Available": "Prognoza niedostępna"
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "Prognoza godzinowa" "Hourly Forecast": "Prognoza godzinowa"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "Jak często zmieniać tapetę" "How often to change wallpaper": "Jak często zmieniać tapetę"
}, },
"Humidity": { "Humidity": {
"Humidity": "Wilgotność" "Humidity": "Wilgotność"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "Rozumiem" "I Understand": "Rozumiem"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "Zarządzanie" "Management": "Zarządzanie"
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "Ręczne współrzędne" "Manual Coordinates": "Ręczne współrzędne"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "Brak profili VPN" "No VPN profiles": "Brak profili VPN"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "Brak danych pogodowych" "No Weather Data Available": "Brak danych pogodowych"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "Nie połączono" "Not connected": "Nie połączono"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "Notatka: ta opcja zmienia tylko procent, nie ogranicza ładowania." "Note: this only changes the percentage, it does not actually limit charging.": "Notatka: ta opcja zmienia tylko procent, nie ogranicza ładowania."
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "Prześcigać" "Override": "Prześcigać"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "Nadpisz Promień Narożnika" "Override Corner Radius": "Nadpisz Promień Narożnika"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "Źródło zasilania" "Power source": "Źródło zasilania"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "Prawdopodobieństwo opadów" "Precipitation Chance": "Prawdopodobieństwo opadów"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "Zaokrąglone narożniki okien" "Rounded corners for windows": "Zaokrąglone narożniki okien"
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "Wykonaj szablony DMS" "Run DMS Templates": "Wykonaj szablony DMS"
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "Pokaż dok" "Show Dock": "Pokaż dok"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "Pokaż temperaturę GPU" "Show GPU Temperature": "Pokaż temperaturę GPU"
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "Pokaż Liczbę Godzin" "Show Hour Numbers": "Pokaż Liczbę Godzin"
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "Pokaż numery wierszy" "Show Line Numbers": "Pokaż numery wierszy"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "Pokaż blokadę" "Show Lock": "Pokaż blokadę"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "Pokaż wyłączone zasilanie" "Show Power Off": "Pokaż wyłączone zasilanie"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "Pokaż ponowne uruchomienie" "Show Reboot": "Pokaż ponowne uruchomienie"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "Pokaż sekundy" "Show Seconds": "Pokaż sekundy"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "Pokaż wstrzymanie" "Show Suspend": "Pokaż wstrzymanie"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "Pokaż procesy" "Show Top Processes": "Pokaż procesy"
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "Pokaż aplikacje z obszaru roboczego" "Show Workspace Apps": "Pokaż aplikacje z obszaru roboczego"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "Przerwa między oknami" "Space between windows": "Przerwa między oknami"
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "Odstęp" "Spacer": "Odstęp"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "W stosie" "Stacked": "W stosie"
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "Start" "Start": "Start"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "Niski poziom tonera" "Toner Low": "Niski poziom tonera"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "Góra" "Top": "Góra"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "Używaj animowanych pasków postępu fali do odtwarzania multimediów" "Use animated wave progress bars for media playback": "Używaj animowanych pasków postępu fali do odtwarzania multimediów"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "Użyj niestandardowego polecenia do aktualizacji systemu" "Use custom command for update your system": "Użyj niestandardowego polecenia do aktualizacji systemu"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "Używaj własnego promienia okna w zamiast ustawień motywu" "Use custom window radius instead of theme radius": "Używaj własnego promienia okna w zamiast ustawień motywu"
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Użyj czytnika linii papilarnych do uwierzytelniania ekranu blokady (wymaga zarejestrowanych odcisków palców)." "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Użyj czytnika linii papilarnych do uwierzytelniania ekranu blokady (wymaga zarejestrowanych odcisków palców)."
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "Użyto" "Used": "Użyto"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "Użytkownik" "User": "Użytkownik"
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "Wibrująca paleta z zabawnym nasyceniem." "Vibrant palette with playful saturation.": "Wibrująca paleta z zabawnym nasyceniem."
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "Widoczność" "Visibility": "Widoczność"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "Usunięto widżet" "Widget removed": "Usunięto widżet"
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "Wiatr" "Wind": "Wiatr"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "Odstępy Okien (px)" "Window Gaps (px)": "Odstępy Okien (px)"
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "Obszar roboczy" "Workspace": "Obszar roboczy"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "Motywy inspirowane Material Design" "Material Design inspired color themes": "Motywy inspirowane Material Design"
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "Instaluj" "Install": "Instaluj"
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "Ładowanie..." "Loading...": "Ładowanie..."
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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"
}, },

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 trabalho(s)" "%1 job(s)": "%1 trabalho(s)"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 impressora(s)" "%1 printer(s)": "%1 impressora(s)"
}, },
@@ -38,6 +41,9 @@
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(Sem nome)" "(Unnamed)": "(Sem nome)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = cantos quadrados" "0 = square corners": "0 = cantos quadrados"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "1 minuto" "1 minute": "1 minuto"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "1 segundo" "1 second": "1 segundo"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "Sobre" "About": "Sobre"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "Aceitar Trabalhos" "Accept Jobs": "Aceitar Trabalhos"
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "" "Available Screens (%1)": ""
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "Opacidade da Borda" "Border Opacity": "Opacidade da Borda"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "Espessura da Borda" "Border Thickness": "Espessura da Borda"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "" "Choose colors from palette": ""
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "Escolher Ícone" "Choose icon": "Escolher Ícone"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "Comunicação" "Communication": "Comunicação"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "Modo Compacto" "Compact Mode": "Modo Compacto"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "Customizado" "Custom": "Customizado"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "" "Custom Duration": ""
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "" "Desktop Clock": ""
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "Desenvolvimento" "Development": "Desenvolvimento"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "Mostrar título do app em foco" "Display currently focused application title": "Mostrar título do app em foco"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "Mostrar apenas áreas de trabalho que possuem janelas" "Display only workspaces that contain windows": "Mostrar apenas áreas de trabalho que possuem janelas"
}, },
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "" "Failed to write temp file for validation": ""
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "Sensação Térmica" "Feels Like": "Sensação Térmica"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "Forçar aplicativos de terminal a usar sempre temas escuros" "Force terminal applications to always use dark color schemes": "Forçar aplicativos de terminal a usar sempre temas escuros"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "Previsão do Tempo não Disponível" "Forecast Not Available": "Previsão do Tempo não Disponível"
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "Previsão do Tempo Horária" "Hourly Forecast": "Previsão do Tempo Horária"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "Tempo entre papéis de parede" "How often to change wallpaper": "Tempo entre papéis de parede"
}, },
"Humidity": { "Humidity": {
"Humidity": "Umidade" "Humidity": "Umidade"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "Entendi" "I Understand": "Entendi"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "" "Management": ""
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "Coordenadas Manuais" "Manual Coordinates": "Coordenadas Manuais"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "Sem perfis de VPN" "No VPN profiles": "Sem perfis de VPN"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "Informações de Clima não dispóniveis" "No Weather Data Available": "Informações de Clima não dispóniveis"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "Não conectado" "Not connected": "Não conectado"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "" "Note: this only changes the percentage, it does not actually limit charging.": ""
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "Sobrescrever" "Override": "Sobrescrever"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "Sobrescrever Arredondamento" "Override Corner Radius": "Sobrescrever Arredondamento"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "Fonte de energia" "Power source": "Fonte de energia"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "Chance de Precipitação" "Precipitation Chance": "Chance de Precipitação"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "" "Rounded corners for windows": ""
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "Rodar templates do DMS" "Run DMS Templates": "Rodar templates do DMS"
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "Mostrar Dock" "Show Dock": "Mostrar Dock"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "" "Show GPU Temperature": ""
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "" "Show Hour Numbers": ""
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "Mostrar Numeração de Linha" "Show Line Numbers": "Mostrar Numeração de Linha"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "Mostrar Bloquear" "Show Lock": "Mostrar Bloquear"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "Mostra Desligar" "Show Power Off": "Mostra Desligar"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "Mostrar Reiniciar" "Show Reboot": "Mostrar Reiniciar"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "" "Show Seconds": ""
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "Mostrar Suspender" "Show Suspend": "Mostrar Suspender"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "" "Show Top Processes": ""
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "Mostrar Aplicativos da Área de Trabalho Virtual" "Show Workspace Apps": "Mostrar Aplicativos da Área de Trabalho Virtual"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "" "Space between windows": ""
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "Espaçador" "Spacer": "Espaçador"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "" "Stacked": ""
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "Iniciar" "Start": "Iniciar"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "Toner Baixo" "Toner Low": "Toner Baixo"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "Topo" "Top": "Topo"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "Usar barras de progresso de ondas animadas para reprodução de mídia" "Use animated wave progress bars for media playback": "Usar barras de progresso de ondas animadas para reprodução de mídia"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "Usar comando personalizado para atualizar seu sistema" "Use custom command for update your system": "Usar comando personalizado para atualizar seu sistema"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "" "Use custom window radius instead of theme radius": ""
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Usar leitor de impressões digitais para autenticação na tela de bloqueio (requer impressões cadastradas)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Usar leitor de impressões digitais para autenticação na tela de bloqueio (requer impressões cadastradas)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "Usado" "Used": "Usado"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "" "User": ""
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "Paleta vibrante com saturação divertida." "Vibrant palette with playful saturation.": "Paleta vibrante com saturação divertida."
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "Visibilidade" "Visibility": "Visibilidade"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "" "Widget removed": ""
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "Vento" "Wind": "Vento"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "" "Window Gaps (px)": ""
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "Área de Trabalho" "Workspace": "Área de Trabalho"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "" "Material Design inspired color themes": ""
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "" "Install": ""
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "" "Loading...": ""
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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"
}, },

View File

@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 iş" "%1 job(s)": "%1 iş"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 yazıcı" "%1 printer(s)": "%1 yazıcı"
}, },
@@ -38,6 +41,9 @@
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(İsimsiz)" "(Unnamed)": "(İsimsiz)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = kare köşeler" "0 = square corners": "0 = kare köşeler"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "1 dakika" "1 minute": "1 dakika"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "1 saniye" "1 second": "1 saniye"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "Hakkında" "About": "Hakkında"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "İşleri Kabul Et" "Accept Jobs": "İşleri Kabul Et"
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "Kullanılabilir Ekranlar (%1)" "Available Screens (%1)": "Kullanılabilir Ekranlar (%1)"
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "Kenarlık Opaklığı" "Border Opacity": "Kenarlık Opaklığı"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "Kenarlık Kalınlığı" "Border Thickness": "Kenarlık Kalınlığı"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "Paletten renkler seç" "Choose colors from palette": "Paletten renkler seç"
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "Simge seçin" "Choose icon": "Simge seçin"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "İletişim" "Communication": "İletişim"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "Kompakt Mod" "Compact Mode": "Kompakt Mod"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "Özel" "Custom": "Özel"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "Özel Süre" "Custom Duration": "Özel Süre"
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "Masaüstü Saati" "Desktop Clock": "Masaüstü Saati"
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "Geliştirme" "Development": "Geliştirme"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "Şu anda odaklanmış uygulamanın başlığını göster" "Display currently focused application title": "Şu anda odaklanmış uygulamanın başlığını göster"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "Yalnızca pencere içeren çalışma alanlarını göster" "Display only workspaces that contain windows": "Yalnızca pencere içeren çalışma alanlarını göster"
}, },
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "Doğrulama için geçici dosya yazılmadı" "Failed to write temp file for validation": "Doğrulama için geçici dosya yazılmadı"
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "Hissedilen" "Feels Like": "Hissedilen"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "Terminal uygulamalarının her zaman koyu renk şemalarını kullanmasını zorla" "Force terminal applications to always use dark color schemes": "Terminal uygulamalarının her zaman koyu renk şemalarını kullanmasını zorla"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "Hava Tahmini Mevcut Değil" "Forecast Not Available": "Hava Tahmini Mevcut Değil"
}, },
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "Saatlik Hava Tahmini" "Hourly Forecast": "Saatlik Hava Tahmini"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "Duvar kağıdı değiştirme sıklığı" "How often to change wallpaper": "Duvar kağıdı değiştirme sıklığı"
}, },
"Humidity": { "Humidity": {
"Humidity": "Nem" "Humidity": "Nem"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "Anladım" "I Understand": "Anladım"
}, },
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "Yönetim" "Management": "Yönetim"
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "Manuel Koordinatlar" "Manual Coordinates": "Manuel Koordinatlar"
}, },
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "VPN profili yok" "No VPN profiles": "VPN profili yok"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "Hava Durumu Verileri Mevcut Değil" "No Weather Data Available": "Hava Durumu Verileri Mevcut Değil"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "Bağlı değil" "Not connected": "Bağlı değil"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "Not: Bu sadece yüzdeyi değiştirir, şarjı sınırlamaz." "Note: this only changes the percentage, it does not actually limit charging.": "Not: Bu sadece yüzdeyi değiştirir, şarjı sınırlamaz."
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "Geçersiz Kıl" "Override": "Geçersiz Kıl"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "Köşe Yarıçapını Değiştir" "Override Corner Radius": "Köşe Yarıçapını Değiştir"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "Güç kaynağı" "Power source": "Güç kaynağı"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "Yağış Olasılığı" "Precipitation Chance": "Yağış Olasılığı"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "Pencereler için yuvarlatılmış köşeler" "Rounded corners for windows": "Pencereler için yuvarlatılmış köşeler"
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "DMS Şablonlarını Çalıştır" "Run DMS Templates": "DMS Şablonlarını Çalıştır"
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "Dock'u Göster" "Show Dock": "Dock'u Göster"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "GPU Sıcaklığını Göster" "Show GPU Temperature": "GPU Sıcaklığını Göster"
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "Saat Numaralarını Göster" "Show Hour Numbers": "Saat Numaralarını Göster"
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "Satır Numaralarını Göster" "Show Line Numbers": "Satır Numaralarını Göster"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "Kilitleyi Göster" "Show Lock": "Kilitleyi Göster"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "Kapatı Göster" "Show Power Off": "Kapatı Göster"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "Yeniden Başlatı Göster" "Show Reboot": "Yeniden Başlatı Göster"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "Saniyeleri Göster" "Show Seconds": "Saniyeleri Göster"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "Askıya Alı Göster" "Show Suspend": "Askıya Alı Göster"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "En Üst İşlemleri Göster" "Show Top Processes": "En Üst İşlemleri Göster"
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "Çalışma Alanı Uygulamalarını Göster" "Show Workspace Apps": "Çalışma Alanı Uygulamalarını Göster"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "Pencereler arası boşluk" "Space between windows": "Pencereler arası boşluk"
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "Boşluklandırıcı" "Spacer": "Boşluklandırıcı"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "Yığılmış" "Stacked": "Yığılmış"
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "Başlat" "Start": "Başlat"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "Toner Az" "Toner Low": "Toner Az"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "Üst" "Top": "Üst"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "Medya oynatımı için animasyonlu dalga ilerleme çubukları kullanın" "Use animated wave progress bars for media playback": "Medya oynatımı için animasyonlu dalga ilerleme çubukları kullanın"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "Sistemi güncellemek için özel komut kullan" "Use custom command for update your system": "Sistemi güncellemek için özel komut kullan"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "Tema yarıçapı yerine özel pencere yarıçapı kullanın" "Use custom window radius instead of theme radius": "Tema yarıçapı yerine özel pencere yarıçapı kullanın"
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Kilit ekranı doğrulaması için parmak izi okuyucuyu kullan (kayıtlı parmak izleri gereklidir)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "Kilit ekranı doğrulaması için parmak izi okuyucuyu kullan (kayıtlı parmak izleri gereklidir)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "Kullanıldı" "Used": "Kullanıldı"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "Kullanıcı" "User": "Kullanıcı"
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "Oynak doygunluğa sahip canlı palet" "Vibrant palette with playful saturation.": "Oynak doygunluğa sahip canlı palet"
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "Görüş" "Visibility": "Görüş"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "Widget kaldırıldı" "Widget removed": "Widget kaldırıldı"
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "Rüzgar" "Wind": "Rüzgar"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "Pencere Boşlukları (px)" "Window Gaps (px)": "Pencere Boşlukları (px)"
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "Çalışma Alanı" "Workspace": "Çalışma Alanı"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "Malzeme Tasarımı'ndan ilham alan renk temaları" "Material Design inspired color themes": "Malzeme Tasarımı'ndan ilham alan renk temaları"
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "Yükle" "Install": "Yükle"
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "Yükleniyor..." "Loading...": "Yükleniyor..."
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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"
}, },

View File

@@ -15,7 +15,7 @@
"%1 connected": "已连接 %1" "%1 connected": "已连接 %1"
}, },
"%1 days ago": { "%1 days ago": {
"%1 days ago": "" "%1 days ago": "%1天之前"
}, },
"%1 display(s)": { "%1 display(s)": {
"%1 display(s)": "%1 显示" "%1 display(s)": "%1 显示"
@@ -23,6 +23,9 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 个任务" "%1 job(s)": "%1 个任务"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 个打印机" "%1 printer(s)": "%1 个打印机"
}, },
@@ -33,11 +36,14 @@
"%1 widgets": "%1 部件" "%1 widgets": "%1 部件"
}, },
"%1m ago": { "%1m ago": {
"%1m ago": "" "%1m ago": "%1分之前"
}, },
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(未命名)" "(Unnamed)": "(未命名)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = 直角" "0 = square corners": "0 = 直角"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "1 分钟" "1 minute": "1 分钟"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "1 秒" "1 second": "1 秒"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "关于" "About": "关于"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "接受任务" "Accept Jobs": "接受任务"
}, },
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "可用屏幕(%1" "Available Screens (%1)": "可用屏幕(%1"
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "边框透明度" "Border Opacity": "边框透明度"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "边框厚度" "Border Thickness": "边框厚度"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "从调色板中选择颜色" "Choose colors from palette": "从调色板中选择颜色"
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "选择图标" "Choose icon": "选择图标"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "通讯" "Communication": "通讯"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "紧凑模式" "Compact Mode": "紧凑模式"
}, },
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "自定义" "Custom": "自定义"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "自定义持续时间" "Custom Duration": "自定义持续时间"
}, },
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "桌面时钟" "Desktop Clock": "桌面时钟"
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "开发" "Development": "开发"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "显示当前聚焦应用的标题" "Display currently focused application title": "显示当前聚焦应用的标题"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "只显示包含窗口的工作区" "Display only workspaces that contain windows": "只显示包含窗口的工作区"
}, },
@@ -1380,7 +1413,7 @@
"Fade to lock screen": "淡出至锁定屏幕" "Fade to lock screen": "淡出至锁定屏幕"
}, },
"Fade to monitor off": { "Fade to monitor off": {
"Fade to monitor off": "" "Fade to monitor off": "淡出至显示器关闭"
}, },
"Failed to activate configuration": { "Failed to activate configuration": {
"Failed to activate configuration": "无法应用配置" "Failed to activate configuration": "无法应用配置"
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "未能写入临时文件进行验证" "Failed to write temp file for validation": "未能写入临时文件进行验证"
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "体感温度" "Feels Like": "体感温度"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "强制终端应用使用暗色" "Force terminal applications to always use dark color schemes": "强制终端应用使用暗色"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "暂无预报" "Forecast Not Available": "暂无预报"
}, },
@@ -1674,7 +1716,7 @@
"Gradually fade the screen before locking with a configurable grace period": "在锁定前通过可配置的宽限期逐渐淡出屏幕" "Gradually fade the screen before locking with a configurable grace period": "在锁定前通过可配置的宽限期逐渐淡出屏幕"
}, },
"Gradually fade the screen before turning off monitors with a configurable grace period": { "Gradually fade the screen before turning off monitors with a configurable grace period": {
"Gradually fade the screen before turning off monitors with a configurable grace period": "" "Gradually fade the screen before turning off monitors with a configurable grace period": "在关闭显示器前逐渐淡出屏幕,淡出时间可配置"
}, },
"Graph Time Range": { "Graph Time Range": {
"Graph Time Range": "图表时间范围" "Graph Time Range": "图表时间范围"
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "每小时预报" "Hourly Forecast": "每小时预报"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "壁纸轮换频率" "How often to change wallpaper": "壁纸轮换频率"
}, },
"Humidity": { "Humidity": {
"Humidity": "湿度" "Humidity": "湿度"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "我明白以上内容" "I Understand": "我明白以上内容"
}, },
@@ -2010,7 +2058,7 @@
"Lock before suspend": "挂起前锁屏" "Lock before suspend": "挂起前锁屏"
}, },
"Lock fade grace period": { "Lock fade grace period": {
"Lock fade grace period": "" "Lock fade grace period": "锁定淡出时间"
}, },
"Log Out": { "Log Out": {
"Log Out": "注销" "Log Out": "注销"
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "管理" "Management": "管理"
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "手动设置坐标" "Manual Coordinates": "手动设置坐标"
}, },
@@ -2187,7 +2238,7 @@
"Monitor Configuration": "监视器配置" "Monitor Configuration": "监视器配置"
}, },
"Monitor fade grace period": { "Monitor fade grace period": {
"Monitor fade grace period": "" "Monitor fade grace period": "显示器淡出时间"
}, },
"Monitor whose wallpaper drives dynamic theming colors": { "Monitor whose wallpaper drives dynamic theming colors": {
"Monitor whose wallpaper drives dynamic theming colors": "监视使用动态主题色的壁纸" "Monitor whose wallpaper drives dynamic theming colors": "监视使用动态主题色的壁纸"
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "无 VPN 配置" "No VPN profiles": "无 VPN 配置"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "暂无天气数据" "No Weather Data Available": "暂无天气数据"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "未连接" "Not connected": "未连接"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "注意:这只会改变百分比,而不会实际限制充电。" "Note: this only changes the percentage, it does not actually limit charging.": "注意:这只会改变百分比,而不会实际限制充电。"
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "覆盖" "Override": "覆盖"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "覆盖角半径" "Override Corner Radius": "覆盖角半径"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "电源" "Power source": "电源"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "降水概率" "Precipitation Chance": "降水概率"
}, },
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "窗口圆角" "Rounded corners for windows": "窗口圆角"
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "运行DMS模板" "Run DMS Templates": "运行DMS模板"
}, },
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "显示程序坞" "Show Dock": "显示程序坞"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "显示GPU温度" "Show GPU Temperature": "显示GPU温度"
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "显示小时数" "Show Hour Numbers": "显示小时数"
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "显示行号" "Show Line Numbers": "显示行号"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "显示锁定" "Show Lock": "显示锁定"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "显示关机" "Show Power Off": "显示关机"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "显示重启" "Show Reboot": "显示重启"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "显示秒数" "Show Seconds": "显示秒数"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "显示挂起" "Show Suspend": "显示挂起"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "显示占用多的进程" "Show Top Processes": "显示占用多的进程"
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "显示工作区内应用" "Show Workspace Apps": "显示工作区内应用"
}, },
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "窗口间空隙" "Space between windows": "窗口间空隙"
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "空白占位" "Spacer": "空白占位"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "堆叠" "Stacked": "堆叠"
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "开始" "Start": "开始"
}, },
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "碳粉不足" "Toner Low": "碳粉不足"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "顶部" "Top": "顶部"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "进行媒体播放时显示动画波形进度条" "Use animated wave progress bars for media playback": "进行媒体播放时显示动画波形进度条"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "使用自定义命令来更新系统" "Use custom command for update your system": "使用自定义命令来更新系统"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "使用自定义窗口半径替代主题半径" "Use custom window radius instead of theme radius": "使用自定义窗口半径替代主题半径"
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "使用指纹识别进行锁屏验证(需要录入指纹)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "使用指纹识别进行锁屏验证(需要录入指纹)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "已使用" "Used": "已使用"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "用户" "User": "用户"
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "充满活力的调色板,有着俏皮的饱和度。" "Vibrant palette with playful saturation.": "充满活力的调色板,有着俏皮的饱和度。"
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "能见度" "Visibility": "能见度"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "部件已移除" "Widget removed": "部件已移除"
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "风速" "Wind": "风速"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "窗口间隙(像素)" "Window Gaps (px)": "窗口间隙(像素)"
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "工作区" "Workspace": "工作区"
}, },
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "受Material设计启发的色彩主题" "Material Design inspired color themes": "受Material设计启发的色彩主题"
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "安装" "Install": "安装"
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "加载中..." "Loading...": "加载中..."
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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"
}, },
@@ -4049,48 +4342,48 @@
"No wallpaper selected": "未选择壁纸" "No wallpaper selected": "未选择壁纸"
}, },
"notification center tab": { "notification center tab": {
"Current": "", "Current": "当前",
"History": "" "History": "历史记录"
}, },
"notification history filter": { "notification history filter": {
"All": "", "All": "所有",
"Last hour": "", "Last hour": "上个小时",
"Today": "", "Today": "今天",
"Yesterday": "" "Yesterday": "昨天"
}, },
"notification history filter for content older than other filters": { "notification history filter for content older than other filters": {
"Older": "" "Older": "更早"
}, },
"notification history filter | notification history retention option": { "notification history filter | notification history retention option": {
"30 days": "", "30 days": "30天",
"7 days": "" "7 days": "7天"
}, },
"notification history limit": { "notification history limit": {
"Maximum number of notifications to keep": "" "Maximum number of notifications to keep": "保留通知的最大数量"
}, },
"notification history retention option": { "notification history retention option": {
"1 day": "", "1 day": "1天",
"14 days": "", "14 days": "14天",
"3 days": "", "3 days": "3天",
"Forever": "" "Forever": "永远"
}, },
"notification history retention settings label": { "notification history retention settings label": {
"History Retention": "" "History Retention": "历史保留"
}, },
"notification history setting": { "notification history setting": {
"Auto-delete notifications older than this": "", "Auto-delete notifications older than this": "自动删除在此之前的通知",
"Save critical priority notifications to history": "", "Save critical priority notifications to history": "将关键优先级通知保存至历史",
"Save low priority notifications to history": "", "Save low priority notifications to history": "将低优先级通知保存至历史",
"Save normal priority notifications to history": "" "Save normal priority notifications to history": "将一般优先级通知保存至历史"
}, },
"notification history toggle description": { "notification history toggle description": {
"Save dismissed notifications to history": "" "Save dismissed notifications to history": "将已关闭通知保存至历史"
}, },
"notification history toggle label": { "notification history toggle label": {
"Enable History": "" "Enable History": "启用历史记录"
}, },
"now": { "now": {
"now": "" "now": "现在"
}, },
"official": { "official": {
"official": "官方" "official": "官方"
@@ -4189,7 +4482,7 @@
"wtype not available - install wtype for paste support": "wtype不可用为支持粘贴请安装wtype" "wtype not available - install wtype for paste support": "wtype不可用为支持粘贴请安装wtype"
}, },
"yesterday": { "yesterday": {
"yesterday": "" "yesterday": "昨天"
}, },
"• Install only from trusted sources": { "• Install only from trusted sources": {
"• Install only from trusted sources": "• 仅从可信来源安装" "• Install only from trusted sources": "• 仅从可信来源安装"

View File

@@ -15,7 +15,7 @@
"%1 connected": "%1 已連接" "%1 connected": "%1 已連接"
}, },
"%1 days ago": { "%1 days ago": {
"%1 days ago": "" "%1 days ago": "%1 天前"
}, },
"%1 display(s)": { "%1 display(s)": {
"%1 display(s)": "%1 個螢幕" "%1 display(s)": "%1 個螢幕"
@@ -23,21 +23,27 @@
"%1 job(s)": { "%1 job(s)": {
"%1 job(s)": "%1 個工作" "%1 job(s)": "%1 個工作"
}, },
"%1 notifications": {
"%1 notifications": ""
},
"%1 printer(s)": { "%1 printer(s)": {
"%1 printer(s)": "%1 台印表機" "%1 printer(s)": "%1 台印表機"
}, },
"%1 variants": { "%1 variants": {
"%1 variants": "" "%1 variants": "%1 種變體"
}, },
"%1 widgets": { "%1 widgets": {
"%1 widgets": "%1 個部件" "%1 widgets": "%1 個部件"
}, },
"%1m ago": { "%1m ago": {
"%1m ago": "" "%1m ago": "%1 分鐘前"
}, },
"(Unnamed)": { "(Unnamed)": {
"(Unnamed)": "(未命名)" "(Unnamed)": "(未命名)"
}, },
"+ %1 more": {
"+ %1 more": ""
},
"0 = square corners": { "0 = square corners": {
"0 = square corners": "0 = 直角" "0 = square corners": "0 = 直角"
}, },
@@ -50,6 +56,9 @@
"1 minute": { "1 minute": {
"1 minute": "1 分鐘" "1 minute": "1 分鐘"
}, },
"1 notification": {
"1 notification": ""
},
"1 second": { "1 second": {
"1 second": "1 秒" "1 second": "1 秒"
}, },
@@ -128,6 +137,9 @@
"About": { "About": {
"About": "關於" "About": "關於"
}, },
"Accent Color": {
"Accent Color": ""
},
"Accept Jobs": { "Accept Jobs": {
"Accept Jobs": "接受工作" "Accept Jobs": "接受工作"
}, },
@@ -396,7 +408,7 @@
"Automatically lock after": "自動鎖定後" "Automatically lock after": "自動鎖定後"
}, },
"Automatically lock the screen when the system prepares to suspend": { "Automatically lock the screen when the system prepares to suspend": {
"Automatically lock the screen when the system prepares to suspend": "系統暫停時自動鎖定螢幕" "Automatically lock the screen when the system prepares to suspend": "睡眠時自動鎖定螢幕"
}, },
"Available": { "Available": {
"Available": "可用" "Available": "可用"
@@ -413,6 +425,9 @@
"Available Screens (%1)": { "Available Screens (%1)": {
"Available Screens (%1)": "可用螢幕 (%1)" "Available Screens (%1)": "可用螢幕 (%1)"
}, },
"Available in Detailed and Forecast view modes": {
"Available in Detailed and Forecast view modes": ""
},
"BSSID": { "BSSID": {
"BSSID": "BSSID" "BSSID": "BSSID"
}, },
@@ -483,7 +498,7 @@
"Bluetooth not available": "藍牙不可用" "Bluetooth not available": "藍牙不可用"
}, },
"Blur Wallpaper Layer": { "Blur Wallpaper Layer": {
"Blur Wallpaper Layer": "" "Blur Wallpaper Layer": "模糊桌布圖層"
}, },
"Blur on Overview": { "Blur on Overview": {
"Blur on Overview": "模糊概覽" "Blur on Overview": "模糊概覽"
@@ -500,6 +515,9 @@
"Border Opacity": { "Border Opacity": {
"Border Opacity": "邊框不透明度" "Border Opacity": "邊框不透明度"
}, },
"Border Size": {
"Border Size": ""
},
"Border Thickness": { "Border Thickness": {
"Border Thickness": "邊框厚度" "Border Thickness": "邊框厚度"
}, },
@@ -626,6 +644,9 @@
"Choose colors from palette": { "Choose colors from palette": {
"Choose colors from palette": "從調色盤選擇顏色" "Choose colors from palette": "從調色盤選擇顏色"
}, },
"Choose how the weather widget is displayed": {
"Choose how the weather widget is displayed": ""
},
"Choose icon": { "Choose icon": {
"Choose icon": "選擇圖示" "Choose icon": "選擇圖示"
}, },
@@ -755,6 +776,9 @@
"Communication": { "Communication": {
"Communication": "通訊" "Communication": "通訊"
}, },
"Compact": {
"Compact": ""
},
"Compact Mode": { "Compact Mode": {
"Compact Mode": "緊湊模式" "Compact Mode": "緊湊模式"
}, },
@@ -798,7 +822,7 @@
"Confirm": "確認" "Confirm": "確認"
}, },
"Confirm Delete": { "Confirm Delete": {
"Confirm Delete": "" "Confirm Delete": "確認刪除"
}, },
"Confirm Display Changes": { "Confirm Display Changes": {
"Confirm Display Changes": "確認顯示變更" "Confirm Display Changes": "確認顯示變更"
@@ -843,7 +867,7 @@
"Control workspaces and columns by scrolling on the bar": "透過在列上捲動來控制工作區和欄位" "Control workspaces and columns by scrolling on the bar": "透過在列上捲動來控制工作區和欄位"
}, },
"Controls opacity of all popouts, modals, and their content layers": { "Controls opacity of all popouts, modals, and their content layers": {
"Controls opacity of all popouts, modals, and their content layers": "控制所有彈出視窗、模態視窗及其內容層的透明度" "Controls opacity of all popouts, modals, and their content layers": "控制所有彈出視窗、互動視窗及其內容層的透明度"
}, },
"Cooldown": { "Cooldown": {
"Cooldown": "冷卻時間" "Cooldown": "冷卻時間"
@@ -911,6 +935,9 @@
"Custom": { "Custom": {
"Custom": "自訂" "Custom": "自訂"
}, },
"Custom Color": {
"Custom Color": ""
},
"Custom Duration": { "Custom Duration": {
"Custom Duration": "自訂持續時間" "Custom Duration": "自訂持續時間"
}, },
@@ -936,7 +963,7 @@
"Custom Reboot Command": "自訂重新啟動指令" "Custom Reboot Command": "自訂重新啟動指令"
}, },
"Custom Suspend Command": { "Custom Suspend Command": {
"Custom Suspend Command": "自訂暫停指令" "Custom Suspend Command": "自訂睡眠指令"
}, },
"Custom Transparency": { "Custom Transparency": {
"Custom Transparency": "自訂透明度" "Custom Transparency": "自訂透明度"
@@ -1073,6 +1100,9 @@
"Desktop clock widget name": { "Desktop clock widget name": {
"Desktop Clock": "桌面時鐘" "Desktop Clock": "桌面時鐘"
}, },
"Detailed": {
"Detailed": ""
},
"Development": { "Development": {
"Development": "開發" "Development": "開發"
}, },
@@ -1160,6 +1190,9 @@
"Display currently focused application title": { "Display currently focused application title": {
"Display currently focused application title": "顯示目前焦點應用程式的標題" "Display currently focused application title": "顯示目前焦點應用程式的標題"
}, },
"Display hourly weather predictions": {
"Display hourly weather predictions": ""
},
"Display only workspaces that contain windows": { "Display only workspaces that contain windows": {
"Display only workspaces that contain windows": "只顯示包含視窗的工作區" "Display only workspaces that contain windows": "只顯示包含視窗的工作區"
}, },
@@ -1224,7 +1257,7 @@
"Driver": "驅動程式" "Driver": "驅動程式"
}, },
"Duplicate": { "Duplicate": {
"Duplicate": "" "Duplicate": "複製"
}, },
"Duplicate Wallpaper with Blur": { "Duplicate Wallpaper with Blur": {
"Duplicate Wallpaper with Blur": "模糊化重複桌布" "Duplicate Wallpaper with Blur": "模糊化重複桌布"
@@ -1350,7 +1383,7 @@
"Enter password for ": "輸入密碼 " "Enter password for ": "輸入密碼 "
}, },
"Enter this passkey on ": { "Enter this passkey on ": {
"Enter this passkey on ": "輸入此密碼" "Enter this passkey on ": "輸入此密碼 "
}, },
"Enterprise": { "Enterprise": {
"Enterprise": "企業" "Enterprise": "企業"
@@ -1380,7 +1413,7 @@
"Fade to lock screen": "淡出至鎖定螢幕" "Fade to lock screen": "淡出至鎖定螢幕"
}, },
"Fade to monitor off": { "Fade to monitor off": {
"Fade to monitor off": "" "Fade to monitor off": "螢幕淡出關閉"
}, },
"Failed to activate configuration": { "Failed to activate configuration": {
"Failed to activate configuration": "無法啟動配置" "Failed to activate configuration": "無法啟動配置"
@@ -1461,13 +1494,13 @@
"Failed to move job": "無法移動工作" "Failed to move job": "無法移動工作"
}, },
"Failed to parse plugin_settings.json": { "Failed to parse plugin_settings.json": {
"Failed to parse plugin_settings.json": "" "Failed to parse plugin_settings.json": "無法解析 plugin_settings.json"
}, },
"Failed to parse session.json": { "Failed to parse session.json": {
"Failed to parse session.json": "" "Failed to parse session.json": "無法解析 session.json"
}, },
"Failed to parse settings.json": { "Failed to parse settings.json": {
"Failed to parse settings.json": "" "Failed to parse settings.json": "無法解析 settings.json"
}, },
"Failed to pause printer": { "Failed to pause printer": {
"Failed to pause printer": "無法暫停印表機" "Failed to pause printer": "無法暫停印表機"
@@ -1535,6 +1568,9 @@
"Failed to write temp file for validation": { "Failed to write temp file for validation": {
"Failed to write temp file for validation": "寫入驗證的暫存檔案失敗" "Failed to write temp file for validation": "寫入驗證的暫存檔案失敗"
}, },
"Feels": {
"Feels": ""
},
"Feels Like": { "Feels Like": {
"Feels Like": "體感溫度" "Feels Like": "體感溫度"
}, },
@@ -1616,6 +1652,12 @@
"Force terminal applications to always use dark color schemes": { "Force terminal applications to always use dark color schemes": {
"Force terminal applications to always use dark color schemes": "強制終端應用程式始終使用深色配色方案" "Force terminal applications to always use dark color schemes": "強制終端應用程式始終使用深色配色方案"
}, },
"Forecast": {
"Forecast": ""
},
"Forecast Days": {
"Forecast Days": ""
},
"Forecast Not Available": { "Forecast Not Available": {
"Forecast Not Available": "預報不可用" "Forecast Not Available": "預報不可用"
}, },
@@ -1674,7 +1716,7 @@
"Gradually fade the screen before locking with a configurable grace period": "在鎖定前逐漸淡出螢幕,並帶有可設定的緩衝期" "Gradually fade the screen before locking with a configurable grace period": "在鎖定前逐漸淡出螢幕,並帶有可設定的緩衝期"
}, },
"Gradually fade the screen before turning off monitors with a configurable grace period": { "Gradually fade the screen before turning off monitors with a configurable grace period": {
"Gradually fade the screen before turning off monitors with a configurable grace period": "" "Gradually fade the screen before turning off monitors with a configurable grace period": "關閉顯示器前逐漸淡化螢幕,可設定緩衝期"
}, },
"Graph Time Range": { "Graph Time Range": {
"Graph Time Range": "圖表時間範圍" "Graph Time Range": "圖表時間範圍"
@@ -1689,7 +1731,7 @@
"Grid Columns": "網格欄數" "Grid Columns": "網格欄數"
}, },
"Group Workspace Apps": { "Group Workspace Apps": {
"Group Workspace Apps": "" "Group Workspace Apps": "群組工作區應用程式"
}, },
"Group by App": { "Group by App": {
"Group by App": "App 分組" "Group by App": "App 分組"
@@ -1698,7 +1740,7 @@
"Group multiple windows of the same app together with a window count indicator": "將同一應用程式的多個視窗匯集在一起,並附帶視窗數量指示器" "Group multiple windows of the same app together with a window count indicator": "將同一應用程式的多個視窗匯集在一起,並附帶視窗數量指示器"
}, },
"Group repeated application icons in unfocused workspaces": { "Group repeated application icons in unfocused workspaces": {
"Group repeated application icons in unfocused workspaces": "" "Group repeated application icons in unfocused workspaces": "群組非作用中工作區的重複應用程式圖示"
}, },
"HDR (EDID)": { "HDR (EDID)": {
"HDR (EDID)": "HDR (EDID)" "HDR (EDID)": "HDR (EDID)"
@@ -1769,12 +1811,18 @@
"Hourly Forecast": { "Hourly Forecast": {
"Hourly Forecast": "每小時預報" "Hourly Forecast": "每小時預報"
}, },
"Hourly Forecast Count": {
"Hourly Forecast Count": ""
},
"How often to change wallpaper": { "How often to change wallpaper": {
"How often to change wallpaper": "多久更換一次桌布" "How often to change wallpaper": "多久更換一次桌布"
}, },
"Humidity": { "Humidity": {
"Humidity": "濕度" "Humidity": "濕度"
}, },
"Hyprland Layout Overrides": {
"Hyprland Layout Overrides": ""
},
"I Understand": { "I Understand": {
"I Understand": "我了解" "I Understand": "我了解"
}, },
@@ -2007,10 +2055,10 @@
"Lock Screen layout": "鎖定螢幕版面配置" "Lock Screen layout": "鎖定螢幕版面配置"
}, },
"Lock before suspend": { "Lock before suspend": {
"Lock before suspend": "鎖定後暫停" "Lock before suspend": "鎖定後睡眠"
}, },
"Lock fade grace period": { "Lock fade grace period": {
"Lock fade grace period": "" "Lock fade grace period": "鎖定淡出緩衝期"
}, },
"Log Out": { "Log Out": {
"Log Out": "登出" "Log Out": "登出"
@@ -2042,6 +2090,9 @@
"Management": { "Management": {
"Management": "管理" "Management": "管理"
}, },
"MangoWC Layout Overrides": {
"MangoWC Layout Overrides": ""
},
"Manual Coordinates": { "Manual Coordinates": {
"Manual Coordinates": "手動設定座標" "Manual Coordinates": "手動設定座標"
}, },
@@ -2166,10 +2217,10 @@
"Minute": "分鐘" "Minute": "分鐘"
}, },
"Mirror Display": { "Mirror Display": {
"Mirror Display": "" "Mirror Display": "鏡像顯示"
}, },
"Modal Background": { "Modal Background": {
"Modal Background": "" "Modal Background": "互動視窗背景"
}, },
"Mode": { "Mode": {
"Mode": "模式" "Mode": "模式"
@@ -2187,7 +2238,7 @@
"Monitor Configuration": "顯示器配置" "Monitor Configuration": "顯示器配置"
}, },
"Monitor fade grace period": { "Monitor fade grace period": {
"Monitor fade grace period": "" "Monitor fade grace period": "顯示器淡出緩衝期"
}, },
"Monitor whose wallpaper drives dynamic theming colors": { "Monitor whose wallpaper drives dynamic theming colors": {
"Monitor whose wallpaper drives dynamic theming colors": "系統介面顏色依據哪一個螢幕上的桌布來決定" "Monitor whose wallpaper drives dynamic theming colors": "系統介面顏色依據哪一個螢幕上的桌布來決定"
@@ -2306,6 +2357,9 @@
"No VPN profiles": { "No VPN profiles": {
"No VPN profiles": "沒有 VPN 設定檔" "No VPN profiles": "沒有 VPN 設定檔"
}, },
"No Weather Data": {
"No Weather Data": ""
},
"No Weather Data Available": { "No Weather Data Available": {
"No Weather Data Available": "沒有氣象數據" "No Weather Data Available": "沒有氣象數據"
}, },
@@ -2396,6 +2450,9 @@
"Not connected": { "Not connected": {
"Not connected": "未連接" "Not connected": "未連接"
}, },
"Not detected": {
"Not detected": ""
},
"Note: this only changes the percentage, it does not actually limit charging.": { "Note: this only changes the percentage, it does not actually limit charging.": {
"Note: this only changes the percentage, it does not actually limit charging.": "注意:這只會變更百分比顯示,並不會實際限制充電。" "Note: this only changes the percentage, it does not actually limit charging.": "注意:這只會變更百分比顯示,並不會實際限制充電。"
}, },
@@ -2510,6 +2567,9 @@
"Override": { "Override": {
"Override": "覆蓋" "Override": "覆蓋"
}, },
"Override Border Size": {
"Override Border Size": ""
},
"Override Corner Radius": { "Override Corner Radius": {
"Override Corner Radius": "覆寫圓角半徑" "Override Corner Radius": "覆寫圓角半徑"
}, },
@@ -2684,6 +2744,9 @@
"Power source": { "Power source": {
"Power source": "電源" "Power source": "電源"
}, },
"Precip": {
"Precip": ""
},
"Precipitation Chance": { "Precipitation Chance": {
"Precipitation Chance": "降水機率" "Precipitation Chance": "降水機率"
}, },
@@ -2814,7 +2877,7 @@
"Report": "報告" "Report": "報告"
}, },
"Require holding button/key to confirm power off, restart, suspend, hibernate and logout": { "Require holding button/key to confirm power off, restart, suspend, hibernate and logout": {
"Require holding button/key to confirm power off, restart, suspend, hibernate and logout": "需要按住按鈕/鍵以確認關機、重新啟動、暫停、休眠和登出" "Require holding button/key to confirm power off, restart, suspend, hibernate and logout": "需要按住按鈕/鍵以確認關機、重新啟動、睡眠、休眠和登出"
}, },
"Requires 'dgop' tool": { "Requires 'dgop' tool": {
"Requires 'dgop' tool": "需要「dgop」工具" "Requires 'dgop' tool": "需要「dgop」工具"
@@ -2853,10 +2916,10 @@
"Resume": "恢復" "Resume": "恢復"
}, },
"Reverse Scrolling Direction": { "Reverse Scrolling Direction": {
"Reverse Scrolling Direction": "" "Reverse Scrolling Direction": "反轉捲動方向"
}, },
"Reverse workspace switch direction when scrolling over the bar": { "Reverse workspace switch direction when scrolling over the bar": {
"Reverse workspace switch direction when scrolling over the bar": "" "Reverse workspace switch direction when scrolling over the bar": "在工具列上捲動時反轉工作區切換方向"
}, },
"Revert": { "Revert": {
"Revert": "還原" "Revert": "還原"
@@ -2885,6 +2948,12 @@
"Rounded corners for windows": { "Rounded corners for windows": {
"Rounded corners for windows": "視窗圓角" "Rounded corners for windows": "視窗圓角"
}, },
"Rounded corners for windows (border_radius)": {
"Rounded corners for windows (border_radius)": ""
},
"Rounded corners for windows (decoration.rounding)": {
"Rounded corners for windows (decoration.rounding)": ""
},
"Run DMS Templates": { "Run DMS Templates": {
"Run DMS Templates": "執行 DMS 範本" "Run DMS Templates": "執行 DMS 範本"
}, },
@@ -2955,7 +3024,7 @@
"Scroll Wheel": "滾輪" "Scroll Wheel": "滾輪"
}, },
"Scroll on widget changes media volume": { "Scroll on widget changes media volume": {
"Scroll on widget changes media volume": "" "Scroll on widget changes media volume": "在小工具上捲動以變更媒體音量"
}, },
"Scroll song title": { "Scroll song title": {
"Scroll song title": "滾動歌曲標題" "Scroll song title": "滾動歌曲標題"
@@ -2964,7 +3033,7 @@
"Scroll title if it doesn't fit in widget": "若標題不符合小工具空間,請捲動" "Scroll title if it doesn't fit in widget": "若標題不符合小工具空間,請捲動"
}, },
"Scroll wheel behavior on media widget": { "Scroll wheel behavior on media widget": {
"Scroll wheel behavior on media widget": "" "Scroll wheel behavior on media widget": "媒體小工具滾輪行為"
}, },
"Scrolling": { "Scrolling": {
"Scrolling": "滾動" "Scrolling": "滾動"
@@ -3113,6 +3182,12 @@
"Show Dock": { "Show Dock": {
"Show Dock": "顯示 Dock" "Show Dock": "顯示 Dock"
}, },
"Show Feels Like Temperature": {
"Show Feels Like Temperature": ""
},
"Show Forecast": {
"Show Forecast": ""
},
"Show GPU Temperature": { "Show GPU Temperature": {
"Show GPU Temperature": "顯示 GPU 溫度" "Show GPU Temperature": "顯示 GPU 溫度"
}, },
@@ -3125,9 +3200,18 @@
"Show Hour Numbers": { "Show Hour Numbers": {
"Show Hour Numbers": "顯示小時數字" "Show Hour Numbers": "顯示小時數字"
}, },
"Show Hourly Forecast": {
"Show Hourly Forecast": ""
},
"Show Humidity": {
"Show Humidity": ""
},
"Show Line Numbers": { "Show Line Numbers": {
"Show Line Numbers": "顯示行數" "Show Line Numbers": "顯示行數"
}, },
"Show Location": {
"Show Location": ""
},
"Show Lock": { "Show Lock": {
"Show Lock": "顯示鎖定" "Show Lock": "顯示鎖定"
}, },
@@ -3152,6 +3236,12 @@
"Show Power Off": { "Show Power Off": {
"Show Power Off": "顯示關機" "Show Power Off": "顯示關機"
}, },
"Show Precipitation Probability": {
"Show Precipitation Probability": ""
},
"Show Pressure": {
"Show Pressure": ""
},
"Show Reboot": { "Show Reboot": {
"Show Reboot": "顯示重新啟動" "Show Reboot": "顯示重新啟動"
}, },
@@ -3161,12 +3251,24 @@
"Show Seconds": { "Show Seconds": {
"Show Seconds": "顯示秒數" "Show Seconds": "顯示秒數"
}, },
"Show Sunrise/Sunset": {
"Show Sunrise/Sunset": ""
},
"Show Suspend": { "Show Suspend": {
"Show Suspend": "顯示暫停" "Show Suspend": "顯示睡眠"
}, },
"Show Top Processes": { "Show Top Processes": {
"Show Top Processes": "顯示最佔用程序" "Show Top Processes": "顯示最佔用程序"
}, },
"Show Weather Condition": {
"Show Weather Condition": ""
},
"Show Welcome": {
"Show Welcome": ""
},
"Show Wind Speed": {
"Show Wind Speed": ""
},
"Show Workspace Apps": { "Show Workspace Apps": {
"Show Workspace Apps": "顯示工作區應用程式" "Show Workspace Apps": "顯示工作區應用程式"
}, },
@@ -3237,7 +3339,7 @@
"Show workspace index numbers in the top bar workspace switcher": "在頂部欄工作區切換器中顯示工作區編號" "Show workspace index numbers in the top bar workspace switcher": "在頂部欄工作區切換器中顯示工作區編號"
}, },
"Show workspace name on horizontal bars, and first letter on vertical bars": { "Show workspace name on horizontal bars, and first letter on vertical bars": {
"Show workspace name on horizontal bars, and first letter on vertical bars": "" "Show workspace name on horizontal bars, and first letter on vertical bars": "在水平列顯示工作區名稱,垂直列顯示首字母"
}, },
"Shows all running applications with focus indication": { "Shows all running applications with focus indication": {
"Shows all running applications with focus indication": "顯示所有正在運行的應用程式並帶有焦點指示" "Shows all running applications with focus indication": "顯示所有正在運行的應用程式並帶有焦點指示"
@@ -3270,10 +3372,10 @@
"Sizing": "尺寸" "Sizing": "尺寸"
}, },
"Smartcard Authentication": { "Smartcard Authentication": {
"Smartcard Authentication": "" "Smartcard Authentication": "智慧卡驗證"
}, },
"Smartcard PIN": { "Smartcard PIN": {
"Smartcard PIN": "" "Smartcard PIN": "智慧卡 PIN 碼"
}, },
"Some plugins require a newer version of DMS:": { "Some plugins require a newer version of DMS:": {
"Some plugins require a newer version of DMS:": "部分外掛程式需要較新版 DMS" "Some plugins require a newer version of DMS:": "部分外掛程式需要較新版 DMS"
@@ -3296,6 +3398,12 @@
"Space between windows": { "Space between windows": {
"Space between windows": "視窗間距" "Space between windows": "視窗間距"
}, },
"Space between windows (gappih/gappiv/gappoh/gappov)": {
"Space between windows (gappih/gappiv/gappoh/gappov)": ""
},
"Space between windows (gaps_in and gaps_out)": {
"Space between windows (gaps_in and gaps_out)": ""
},
"Spacer": { "Spacer": {
"Spacer": "空白間隔" "Spacer": "空白間隔"
}, },
@@ -3317,6 +3425,9 @@
"Stacked": { "Stacked": {
"Stacked": "堆疊" "Stacked": "堆疊"
}, },
"Standard": {
"Standard": ""
},
"Start": { "Start": {
"Start": "開始" "Start": "開始"
}, },
@@ -3354,13 +3465,13 @@
"Surface": "表面" "Surface": "表面"
}, },
"Suspend": { "Suspend": {
"Suspend": "系統暫停" "Suspend": "睡眠"
}, },
"Suspend behavior": { "Suspend behavior": {
"Suspend behavior": "暫停行為" "Suspend behavior": "睡眠行為"
}, },
"Suspend system after": { "Suspend system after": {
"Suspend system after": "系統暫停後" "Suspend system after": "系統睡眠後"
}, },
"Swap": { "Swap": {
"Swap": "交換區" "Swap": "交換區"
@@ -3444,7 +3555,7 @@
"Text": "文字" "Text": "文字"
}, },
"The 'dgop' tool is required for system monitoring.\\nPlease install dgop to use this feature.": { "The 'dgop' tool is required for system monitoring.\\nPlease install dgop to use this feature.": {
"The 'dgop' tool is required for system monitoring.\\nPlease install dgop to use this feature.": "系統監控需要「dgop」工具。\n請安裝 dgop 以使用此功能。" "The 'dgop' tool is required for system monitoring.\\nPlease install dgop to use this feature.": "系統監控需要「dgop」工具。\\n請安裝 dgop 以使用此功能。"
}, },
"The DMS_SOCKET environment variable is not set or the socket is unavailable. Automated plugin management requires the DMS_SOCKET.": { "The DMS_SOCKET environment variable is not set or the socket is unavailable. Automated plugin management requires the DMS_SOCKET.": {
"The DMS_SOCKET environment variable is not set or the socket is unavailable. Automated plugin management requires the DMS_SOCKET.": "DMS_SOCKET 環境變數未設定或套接字不可用。自動插件管理需要 DMS_SOCKET。" "The DMS_SOCKET environment variable is not set or the socket is unavailable. Automated plugin management requires the DMS_SOCKET.": "DMS_SOCKET 環境變數未設定或套接字不可用。自動插件管理需要 DMS_SOCKET。"
@@ -3539,6 +3650,9 @@
"Toner Low": { "Toner Low": {
"Toner Low": "碳粉不足" "Toner Low": "碳粉不足"
}, },
"Tools": {
"Tools": ""
},
"Top": { "Top": {
"Top": "上方" "Top": "上方"
}, },
@@ -3650,6 +3764,12 @@
"Use animated wave progress bars for media playback": { "Use animated wave progress bars for media playback": {
"Use animated wave progress bars for media playback": "在媒體播放使用動畫波浪進度條" "Use animated wave progress bars for media playback": "在媒體播放使用動畫波浪進度條"
}, },
"Use custom border size": {
"Use custom border size": ""
},
"Use custom border/focus-ring width": {
"Use custom border/focus-ring width": ""
},
"Use custom command for update your system": { "Use custom command for update your system": {
"Use custom command for update your system": "使用自訂指令更新您的系統" "Use custom command for update your system": "使用自訂指令更新您的系統"
}, },
@@ -3659,6 +3779,9 @@
"Use custom window radius instead of theme radius": { "Use custom window radius instead of theme radius": {
"Use custom window radius instead of theme radius": "使用自訂視窗圓角而非主題圓角" "Use custom window radius instead of theme radius": "使用自訂視窗圓角而非主題圓角"
}, },
"Use custom window rounding instead of theme radius": {
"Use custom window rounding instead of theme radius": ""
},
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": { "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": {
"Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "使用指紋辨識器進行鎖定畫面身份驗證(需要註冊指紋)" "Use fingerprint reader for lock screen authentication (requires enrolled fingerprints)": "使用指紋辨識器進行鎖定畫面身份驗證(需要註冊指紋)"
}, },
@@ -3674,6 +3797,9 @@
"Used": { "Used": {
"Used": "已使用" "Used": "已使用"
}, },
"Used when accent color is set to Custom": {
"Used when accent color is set to Custom": ""
},
"User": { "User": {
"User": "使用者" "User": "使用者"
}, },
@@ -3749,6 +3875,9 @@
"Vibrant palette with playful saturation.": { "Vibrant palette with playful saturation.": {
"Vibrant palette with playful saturation.": "色彩鮮明且飽和度活潑的調色板。" "Vibrant palette with playful saturation.": "色彩鮮明且飽和度活潑的調色板。"
}, },
"View Mode": {
"View Mode": ""
},
"Visibility": { "Visibility": {
"Visibility": "能見度" "Visibility": "能見度"
}, },
@@ -3865,6 +3994,15 @@
"Widget removed": { "Widget removed": {
"Widget removed": "小工具已移除" "Widget removed": "小工具已移除"
}, },
"Width of window border (borderpx)": {
"Width of window border (borderpx)": ""
},
"Width of window border (general.border_size)": {
"Width of window border (general.border_size)": ""
},
"Width of window border and focus ring": {
"Width of window border and focus ring": ""
},
"Wind": { "Wind": {
"Wind": "風速" "Wind": "風速"
}, },
@@ -3880,6 +4018,9 @@
"Window Gaps (px)": { "Window Gaps (px)": {
"Window Gaps (px)": "視窗間距 (像素)" "Window Gaps (px)": "視窗間距 (像素)"
}, },
"Window Rounding": {
"Window Rounding": ""
},
"Workspace": { "Workspace": {
"Workspace": "工作區" "Workspace": "工作區"
}, },
@@ -3887,7 +4028,7 @@
"Workspace Index Numbers": "工作區編號" "Workspace Index Numbers": "工作區編號"
}, },
"Workspace Names": { "Workspace Names": {
"Workspace Names": "" "Workspace Names": "工作區名稱"
}, },
"Workspace Padding": { "Workspace Padding": {
"Workspace Padding": "工作區內距" "Workspace Padding": "工作區內距"
@@ -4000,6 +4141,145 @@
"generic theme description": { "generic theme description": {
"Material Design inspired color themes": "受 Material Design 啟發的色彩主題" "Material Design inspired color themes": "受 Material Design 啟發的色彩主題"
}, },
"greeter back button": {
"Back": ""
},
"greeter completion page subtitle": {
"DankMaterialShell is ready to use": ""
},
"greeter completion page title": {
"You're All Set!": ""
},
"greeter configure keybinds link": {
"Configure Keybinds": ""
},
"greeter dankbar description": {
"Widgets, layout, style": ""
},
"greeter displays description": {
"Resolution, position, scale": ""
},
"greeter dock description": {
"Position, pinned apps": ""
},
"greeter doctor page button": {
"Run Again": ""
},
"greeter doctor page empty state": {
"No checks passed": "",
"No errors": "",
"No info items": "",
"No warnings": ""
},
"greeter doctor page error count": {
"%1 issue(s) found": ""
},
"greeter doctor page loading text": {
"Analyzing configuration...": ""
},
"greeter doctor page status card": {
"Errors": "",
"Info": "",
"OK": "",
"Warnings": ""
},
"greeter doctor page success": {
"All checks passed": ""
},
"greeter doctor page title": {
"System Check": ""
},
"greeter documentation link": {
"Docs": ""
},
"greeter explore section header": {
"Explore": ""
},
"greeter feature card description": {
"Background app icons": "",
"Colors from wallpaper": "",
"Community themes": "",
"Extensible architecture": "",
"GTK, Qt, IDEs, more": "",
"Modular widget bar": "",
"Night mode & gamma": "",
"Per-screen config": "",
"Quick system toggles": ""
},
"greeter feature card title": {
"App Theming": "",
"Control Center": "",
"Display Control": "",
"Dynamic Theming": "",
"Multi-Monitor": "",
"System Tray": "",
"Theme Registry": ""
},
"greeter feature card title | greeter plugins link": {
"Plugins": ""
},
"greeter feature card title | greeter settings link": {
"DankBar": ""
},
"greeter finish button": {
"Finish": ""
},
"greeter first page button": {
"Get Started": ""
},
"greeter keybinds niri description": {
"niri shortcuts config": ""
},
"greeter keybinds section header": {
"DMS Shortcuts": ""
},
"greeter modal window title": {
"Welcome": ""
},
"greeter next button": {
"Next": ""
},
"greeter no keybinds message": {
"No DMS shortcuts configured": ""
},
"greeter notifications description": {
"Popup behavior, position": ""
},
"greeter settings link": {
"Displays": "",
"Dock": "",
"Keybinds": "",
"Notifications": "",
"Theme & Colors": "",
"Wallpaper": ""
},
"greeter settings section header": {
"Configure": ""
},
"greeter skip button": {
"Skip": ""
},
"greeter skip button tooltip": {
"Skip setup": ""
},
"greeter theme description": {
"Dynamic colors, presets": ""
},
"greeter themes link": {
"Themes": ""
},
"greeter wallpaper description": {
"Background image": ""
},
"greeter welcome page section header": {
"Features": ""
},
"greeter welcome page tagline": {
"A modern desktop shell for Wayland compositors": ""
},
"greeter welcome page title": {
"Welcome to DankMaterialShell": ""
},
"install action button": { "install action button": {
"Install": "安裝" "Install": "安裝"
}, },
@@ -4021,6 +4301,19 @@
"loading indicator": { "loading indicator": {
"Loading...": "載入中..." "Loading...": "載入中..."
}, },
"lock screen notification mode option": {
"App Names": "",
"Count Only": "",
"Disabled": "",
"Full Content": ""
},
"lock screen notification privacy setting": {
"Control what notification information is shown on the lock screen": "",
"Notification Display": ""
},
"lock screen notifications settings card": {
"Lock Screen": ""
},
"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 套接字連接"
}, },
@@ -4049,48 +4342,48 @@
"No wallpaper selected": "未選擇任何桌布" "No wallpaper selected": "未選擇任何桌布"
}, },
"notification center tab": { "notification center tab": {
"Current": "", "Current": "目前",
"History": "" "History": "歷史記錄"
}, },
"notification history filter": { "notification history filter": {
"All": "", "All": "全部",
"Last hour": "", "Last hour": "最近一小時",
"Today": "", "Today": "今天",
"Yesterday": "" "Yesterday": "昨天"
}, },
"notification history filter for content older than other filters": { "notification history filter for content older than other filters": {
"Older": "" "Older": "舊有"
}, },
"notification history filter | notification history retention option": { "notification history filter | notification history retention option": {
"30 days": "", "30 days": "30 天",
"7 days": "" "7 days": "7 天"
}, },
"notification history limit": { "notification history limit": {
"Maximum number of notifications to keep": "" "Maximum number of notifications to keep": "通知保留上限"
}, },
"notification history retention option": { "notification history retention option": {
"1 day": "", "1 day": "1 天",
"14 days": "", "14 days": "14 天",
"3 days": "", "3 days": "3 天",
"Forever": "" "Forever": "永遠"
}, },
"notification history retention settings label": { "notification history retention settings label": {
"History Retention": "" "History Retention": "歷史記錄保留期限"
}, },
"notification history setting": { "notification history setting": {
"Auto-delete notifications older than this": "", "Auto-delete notifications older than this": "自動刪除早於此時的通知",
"Save critical priority notifications to history": "", "Save critical priority notifications to history": "將高優先順序通知儲存至歷史記錄",
"Save low priority notifications to history": "", "Save low priority notifications to history": "將低優先順序通知儲存至歷史記錄",
"Save normal priority notifications to history": "" "Save normal priority notifications to history": "將一般優先順序通知儲存至歷史記錄"
}, },
"notification history toggle description": { "notification history toggle description": {
"Save dismissed notifications to history": "" "Save dismissed notifications to history": "將已忽略通知儲存至歷史記錄"
}, },
"notification history toggle label": { "notification history toggle label": {
"Enable History": "" "Enable History": "啟用歷史記錄"
}, },
"now": { "now": {
"now": "" "now": "現在"
}, },
"official": { "official": {
"official": "官方" "official": "官方"
@@ -4114,7 +4407,7 @@
"Select Profile Image": "選擇個人資料圖片" "Select Profile Image": "選擇個人資料圖片"
}, },
"read-only settings warning for NixOS home-manager users": { "read-only settings warning for NixOS home-manager users": {
"Settings are read-only. Changes will not persist.": "" "Settings are read-only. Changes will not persist.": "設定為唯讀。變更將不會保留。"
}, },
"registry theme description": { "registry theme description": {
"Color theme from DMS registry": "來自 DMS 登錄檔的色彩主題" "Color theme from DMS registry": "來自 DMS 登錄檔的色彩主題"
@@ -4189,7 +4482,7 @@
"wtype not available - install wtype for paste support": "wtype 未可用 - 請安裝 wtype 以支援貼上功能" "wtype not available - install wtype for paste support": "wtype 未可用 - 請安裝 wtype 以支援貼上功能"
}, },
"yesterday": { "yesterday": {
"yesterday": "" "yesterday": "昨天"
}, },
"• Install only from trusted sources": { "• Install only from trusted sources": {
"• Install only from trusted sources": "• 僅從受信任的來源安裝" "• Install only from trusted sources": "• 僅從受信任的來源安裝"

View File

@@ -719,19 +719,20 @@
"apps", "apps",
"collapse", "collapse",
"desktop", "desktop",
"desktops",
"group", "group",
"grouped", "grouped",
"icons", "icons",
"program", "program",
"repeated", "repeated",
"same",
"spaces", "spaces",
"unfocused",
"virtual", "virtual",
"virtual desktops", "virtual desktops",
"workspace", "workspace",
"workspaces" "workspaces"
], ],
"description": "Group repeated application icons in the same workspace" "description": "Group repeated application icons in unfocused workspaces"
}, },
{ {
"section": "workspaceIcons", "section": "workspaceIcons",
@@ -1534,6 +1535,72 @@
"icon": "terminal", "icon": "terminal",
"description": "Sync dark mode with settings portals for system-wide theme hints" "description": "Sync dark mode with settings portals for system-wide theme hints"
}, },
{
"section": "niriLayoutBorderSize",
"label": "Border Size",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"focus",
"look",
"niri",
"override",
"ring",
"scheme",
"size",
"style",
"theme",
"width",
"window"
],
"description": "Width of window border and focus ring"
},
{
"section": "hyprlandLayoutBorderSize",
"label": "Border Size",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"hyprland",
"look",
"override",
"scheme",
"size",
"style",
"theme",
"width",
"window"
],
"description": "Width of window border (general.border_size)"
},
{
"section": "mangoLayoutBorderSize",
"label": "Border Size",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"look",
"mango",
"mangowc",
"override",
"scheme",
"size",
"style",
"theme",
"width",
"window"
],
"description": "Width of window border (borderpx)"
},
{ {
"section": "colorMode", "section": "colorMode",
"label": "Color Mode", "label": "Color Mode",
@@ -1659,6 +1726,58 @@
"theme" "theme"
] ]
}, },
{
"section": "matugenTemplateHyprland",
"label": "Hyprland",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"hyprland",
"look",
"matugen",
"scheme",
"style",
"template",
"theme"
]
},
{
"section": "hyprlandLayout",
"label": "Hyprland Layout Overrides",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"custom",
"gap",
"gaps",
"hyprland",
"layout",
"look",
"margin",
"margins",
"overrides",
"padding",
"panel",
"radius",
"rounding",
"scheme",
"spacing",
"statusbar",
"style",
"taskbar",
"theme",
"topbar",
"window"
],
"icon": "crop_square",
"description": "Use custom gaps instead of bar spacing",
"conditionKey": "isHyprland"
},
{ {
"section": "iconTheme", "section": "iconTheme",
"label": "Icon Theme", "label": "Icon Theme",
@@ -1725,6 +1844,42 @@
], ],
"description": "Use light theme instead of dark theme" "description": "Use light theme instead of dark theme"
}, },
{
"section": "mangoLayout",
"label": "MangoWC Layout Overrides",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"custom",
"dwl",
"gap",
"gaps",
"layout",
"look",
"mango",
"mangowc",
"margin",
"margins",
"overrides",
"padding",
"panel",
"radius",
"scheme",
"spacing",
"statusbar",
"style",
"taskbar",
"theme",
"topbar",
"window"
],
"icon": "crop_square",
"description": "Use custom gaps instead of bar spacing",
"conditionKey": "isDwl"
},
{ {
"section": "matugenScheme", "section": "matugenScheme",
"label": "Matugen Palette", "label": "Matugen Palette",
@@ -1812,6 +1967,7 @@
"category": "Theme & Colors", "category": "Theme & Colors",
"keywords": [ "keywords": [
"appearance", "appearance",
"border",
"colors", "colors",
"custom", "custom",
"gap", "gap",
@@ -1838,6 +1994,70 @@
"description": "Use custom gaps instead of bar spacing", "description": "Use custom gaps instead of bar spacing",
"conditionKey": "isNiri" "conditionKey": "isNiri"
}, },
{
"section": "niriLayoutBorderSizeEnabled",
"label": "Override Border Size",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"custom",
"focus",
"look",
"niri",
"override",
"ring",
"scheme",
"size",
"style",
"theme",
"width"
],
"description": "Use custom border/focus-ring width"
},
{
"section": "hyprlandLayoutBorderSizeEnabled",
"label": "Override Border Size",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"custom",
"hyprland",
"look",
"override",
"scheme",
"size",
"style",
"theme"
],
"description": "Use custom border size"
},
{
"section": "mangoLayoutBorderSizeEnabled",
"label": "Override Border Size",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"border",
"colors",
"custom",
"look",
"mango",
"mangowc",
"override",
"scheme",
"size",
"style",
"theme"
],
"description": "Use custom border size"
},
{ {
"section": "niriLayoutRadiusOverrideEnabled", "section": "niriLayoutRadiusOverrideEnabled",
"label": "Override Corner Radius", "label": "Override Corner Radius",
@@ -1863,6 +2083,58 @@
], ],
"description": "Use custom window radius instead of theme radius" "description": "Use custom window radius instead of theme radius"
}, },
{
"section": "hyprlandLayoutRadiusOverrideEnabled",
"label": "Override Corner Radius",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"colour",
"corner",
"corners",
"custom",
"hyprland",
"look",
"override",
"radius",
"round",
"rounded",
"rounding",
"scheme",
"style",
"theme",
"window"
],
"description": "Use custom window rounding instead of theme radius"
},
{
"section": "mangoLayoutRadiusOverrideEnabled",
"label": "Override Corner Radius",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"colour",
"corner",
"corners",
"custom",
"look",
"mango",
"mangowc",
"override",
"radius",
"round",
"rounded",
"scheme",
"style",
"theme",
"window"
],
"description": "Use custom window radius instead of theme radius"
},
{ {
"section": "niriLayoutGapsOverrideEnabled", "section": "niriLayoutGapsOverrideEnabled",
"label": "Override Gaps", "label": "Override Gaps",
@@ -1891,6 +2163,63 @@
], ],
"description": "Use custom gaps instead of bar spacing" "description": "Use custom gaps instead of bar spacing"
}, },
{
"section": "hyprlandLayoutGapsOverrideEnabled",
"label": "Override Gaps",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"custom",
"gap",
"gaps",
"hyprland",
"look",
"margin",
"margins",
"override",
"padding",
"panel",
"scheme",
"spacing",
"statusbar",
"style",
"taskbar",
"theme",
"topbar"
],
"description": "Use custom gaps instead of bar spacing"
},
{
"section": "mangoLayoutGapsOverrideEnabled",
"label": "Override Gaps",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"custom",
"gap",
"gaps",
"look",
"mango",
"mangowc",
"margin",
"margins",
"override",
"padding",
"panel",
"scheme",
"spacing",
"statusbar",
"style",
"taskbar",
"theme",
"topbar"
],
"description": "Use custom gaps instead of bar spacing"
},
{ {
"section": "popupTransparency", "section": "popupTransparency",
"label": "Popup Transparency", "label": "Popup Transparency",
@@ -2199,6 +2528,31 @@
], ],
"description": "Rounded corners for windows" "description": "Rounded corners for windows"
}, },
{
"section": "mangoLayoutRadiusOverride",
"label": "Window Corner Radius",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"corner",
"corners",
"look",
"mango",
"mangowc",
"override",
"radius",
"round",
"rounded",
"scheme",
"style",
"theme",
"window",
"windows"
],
"description": "Rounded corners for windows (border_radius)"
},
{ {
"section": "niriLayoutGapsOverride", "section": "niriLayoutGapsOverride",
"label": "Window Gaps", "label": "Window Gaps",
@@ -2221,6 +2575,77 @@
], ],
"description": "Space between windows" "description": "Space between windows"
}, },
{
"section": "hyprlandLayoutGapsOverride",
"label": "Window Gaps",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"between",
"colors",
"gaps",
"hyprland",
"look",
"override",
"scheme",
"space",
"style",
"theme",
"window",
"windows"
],
"description": "Space between windows (gaps_in and gaps_out)"
},
{
"section": "mangoLayoutGapsOverride",
"label": "Window Gaps",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"between",
"colors",
"gappiv",
"gappoh",
"gaps",
"look",
"mango",
"mangowc",
"override",
"scheme",
"space",
"style",
"theme",
"window",
"windows"
],
"description": "Space between windows (gappih/gappiv/gappoh/gappov)"
},
{
"section": "hyprlandLayoutRadiusOverride",
"label": "Window Rounding",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"corners",
"hyprland",
"look",
"override",
"radius",
"round",
"rounded",
"rounding",
"scheme",
"style",
"theme",
"window",
"windows"
],
"description": "Rounded corners for windows (decoration.rounding)"
},
{ {
"section": "matugenTemplateDgop", "section": "matugenTemplateDgop",
"label": "dgop", "label": "dgop",
@@ -2292,6 +2717,23 @@
"theme" "theme"
] ]
}, },
{
"section": "matugenTemplateMangowc",
"label": "mangowc",
"tabIndex": 10,
"category": "Theme & Colors",
"keywords": [
"appearance",
"colors",
"look",
"mangowc",
"matugen",
"scheme",
"style",
"template",
"theme"
]
},
{ {
"section": "matugenTemplateNeovim", "section": "matugenTemplateNeovim",
"label": "neovim", "label": "neovim",
@@ -2300,20 +2742,15 @@
"keywords": [ "keywords": [
"appearance", "appearance",
"colors", "colors",
"lazy",
"look", "look",
"manager",
"matugen", "matugen",
"neovim", "neovim",
"plugin",
"requires",
"scheme", "scheme",
"style", "style",
"template", "template",
"terminal", "terminal",
"theme" "theme"
], ]
"description": "Requires lazy plugin manager"
}, },
{ {
"section": "matugenTemplateNiri", "section": "matugenTemplateNiri",
@@ -2550,25 +2987,31 @@
"description": "If the field is hidden, it will appear as soon as a key is pressed." "description": "If the field is hidden, it will appear as soon as a key is pressed."
}, },
{ {
"section": "lockBeforeSuspend", "section": "lockScreenNotificationMode",
"label": "Lock before suspend", "label": "Notification Display",
"tabIndex": 11, "tabIndex": 11,
"category": "Lock Screen", "category": "Lock Screen",
"keywords": [ "keywords": [
"automatic", "alert",
"automatically", "control",
"before", "display",
"information",
"lock", "lock",
"lockscreen",
"login", "login",
"monitor",
"notif",
"notification",
"notifications",
"output",
"password", "password",
"prepares", "privacy",
"screen", "screen",
"security", "security",
"sleep", "shown",
"suspend", "what"
"system"
], ],
"description": "Automatically lock the screen when the system prepares to suspend" "description": "Control what notification information is shown on the lock screen"
}, },
{ {
"section": "lockScreenShowPasswordField", "section": "lockScreenShowPasswordField",
@@ -3031,6 +3474,27 @@
], ],
"description": "Scroll wheel behavior on media widget" "description": "Scroll wheel behavior on media widget"
}, },
{
"section": "notificationHistorySaveCritical",
"label": "Critical Priority",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"alert",
"alerts",
"critical",
"history",
"messages",
"notif",
"notification",
"notifications",
"notifs",
"priority",
"save",
"toast"
],
"description": "Save critical priority notifications to history"
},
{ {
"section": "notificationTimeoutCritical", "section": "notificationTimeoutCritical",
"label": "Critical Priority", "label": "Critical Priority",
@@ -3078,6 +3542,125 @@
"icon": "notifications_off", "icon": "notifications_off",
"description": "Suppress notification popups while enabled" "description": "Suppress notification popups while enabled"
}, },
{
"section": "notificationHistoryEnabled",
"label": "Enable History",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"alert",
"alerts",
"disable",
"dismissed",
"enable",
"history",
"messages",
"notif",
"notification",
"notifications",
"notifs",
"save",
"toast"
],
"description": "Save dismissed notifications to history"
},
{
"section": "notificationHistoryMaxAgeDays",
"label": "History Retention",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"age",
"alert",
"alerts",
"auto",
"days",
"delete",
"history",
"max",
"messages",
"notif",
"notification",
"notifications",
"notifs",
"older",
"retention",
"toast"
],
"description": "Auto-delete notifications older than this"
},
{
"section": "notificationHistory",
"label": "History Settings",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"alert",
"alerts",
"disable",
"dismissed",
"enable",
"history",
"messages",
"notif",
"notification",
"notifications",
"notifs",
"save",
"settings",
"toast"
],
"icon": "history",
"description": "Save dismissed notifications to history"
},
{
"section": "lockScreenNotifications",
"label": "Lock Screen",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"alert",
"alerts",
"control",
"information",
"lock",
"lockscreen",
"login",
"messages",
"notif",
"notification",
"notifications",
"privacy",
"screen",
"security",
"shown",
"toast",
"what"
],
"icon": "lock",
"description": "Control what notification information is shown on the lock screen"
},
{
"section": "notificationHistorySaveLow",
"label": "Low Priority",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"alert",
"alerts",
"history",
"low",
"messages",
"notif",
"notification",
"notifications",
"notifs",
"priority",
"save",
"toast"
],
"description": "Save low priority notifications to history"
},
{ {
"section": "notificationTimeoutLow", "section": "notificationTimeoutLow",
"label": "Low Priority", "label": "Low Priority",
@@ -3099,6 +3682,51 @@
], ],
"description": "Timeout for low priority notifications" "description": "Timeout for low priority notifications"
}, },
{
"section": "notificationHistoryMaxCount",
"label": "Maximum History",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"alert",
"alerts",
"count",
"history",
"keep",
"limit",
"max",
"maximum",
"messages",
"notif",
"notification",
"notifications",
"notifs",
"number",
"toast"
],
"description": "Maximum number of notifications to keep"
},
{
"section": "notificationHistorySaveNormal",
"label": "Normal Priority",
"tabIndex": 17,
"category": "Notifications",
"keywords": [
"alert",
"alerts",
"history",
"messages",
"normal",
"notif",
"notification",
"notifications",
"notifs",
"priority",
"save",
"toast"
],
"description": "Save normal priority notifications to history"
},
{ {
"section": "notificationTimeoutNormal", "section": "notificationTimeoutNormal",
"label": "Normal Priority", "label": "Normal Priority",
@@ -3387,24 +4015,6 @@
"suspend" "suspend"
] ]
}, },
{
"section": "fadeToLockGracePeriod",
"label": "Fade grace period",
"tabIndex": 21,
"category": "Power & Sleep",
"keywords": [
"energy",
"fade",
"grace",
"lock",
"period",
"power",
"shutdown",
"sleep",
"suspend",
"timeout"
]
},
{ {
"section": "fadeToLockEnabled", "section": "fadeToLockEnabled",
"label": "Fade to lock screen", "label": "Fade to lock screen",
@@ -3433,6 +4043,34 @@
], ],
"description": "Gradually fade the screen before locking with a configurable grace period" "description": "Gradually fade the screen before locking with a configurable grace period"
}, },
{
"section": "fadeToDpmsEnabled",
"label": "Fade to monitor off",
"tabIndex": 21,
"category": "Power & Sleep",
"keywords": [
"before",
"configurable",
"dpms",
"energy",
"fade",
"grace",
"grace period",
"gradually",
"idle",
"monitor",
"monitors",
"off",
"period",
"power",
"screen",
"shutdown",
"sleep",
"suspend",
"turning"
],
"description": "Gradually fade the screen before turning off monitors with a configurable grace period"
},
{ {
"section": "powerActionHoldDuration", "section": "powerActionHoldDuration",
"label": "Hold Duration", "label": "Hold Duration",
@@ -3506,6 +4144,64 @@
"icon": "schedule", "icon": "schedule",
"description": "Gradually fade the screen before locking with a configurable grace period" "description": "Gradually fade the screen before locking with a configurable grace period"
}, },
{
"section": "lockBeforeSuspend",
"label": "Lock before suspend",
"tabIndex": 21,
"category": "Power & Sleep",
"keywords": [
"automatically",
"before",
"energy",
"lock",
"power",
"prepares",
"screen",
"security",
"shutdown",
"sleep",
"suspend",
"system"
],
"description": "Automatically lock the screen when the system prepares to suspend"
},
{
"section": "fadeToLockGracePeriod",
"label": "Lock fade grace period",
"tabIndex": 21,
"category": "Power & Sleep",
"keywords": [
"energy",
"fade",
"grace",
"lock",
"period",
"power",
"shutdown",
"sleep",
"suspend",
"timeout"
]
},
{
"section": "fadeToDpmsGracePeriod",
"label": "Monitor fade grace period",
"tabIndex": 21,
"category": "Power & Sleep",
"keywords": [
"dpms",
"energy",
"fade",
"grace",
"monitor",
"period",
"power",
"shutdown",
"sleep",
"suspend",
"timeout"
]
},
{ {
"section": "powerConfirmation", "section": "powerConfirmation",
"label": "Power Action Confirmation", "label": "Power Action Confirmation",

File diff suppressed because it is too large Load Diff