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

Compare commits

...

10 Commits

Author SHA1 Message Date
dms-ci[bot]
fbf79e62e9 ci: Auto-update OBS packages [dms-git]
🤖 Automated by GitHub Actions
2025-12-13 21:23:58 +00:00
dms-ci[bot]
efcf72bc08 ci: Auto-update PPA packages [dms-git]
🤖 Automated by GitHub Actions
2025-12-13 21:19:59 +00:00
bbedward
3b511e2f55 i18n: add hungarian 2025-12-13 14:03:49 -05:00
dms-ci[bot]
e4e20fb43a ci: Auto-update PPA packages [dms-git]
🤖 Automated by GitHub Actions
2025-12-13 15:26:22 +00:00
dms-ci[bot]
48ccff67a6 ci: Auto-update OBS packages [dms-git]
🤖 Automated by GitHub Actions
2025-12-13 15:25:01 +00:00
Souyama
a783d6507b Change DPMS off to DPMS toggle in hyprland.conf (#1011) 2025-12-13 10:07:11 -05:00
bbedward
fd94e60797 cava: dont set method/source 2025-12-13 10:04:20 -05:00
bbedward
a1bcb7ea30 vpn: just try and import all types on errors 2025-12-13 10:02:57 -05:00
bbedward
31b67164c7 clipboard: re-add ownership option 2025-12-13 09:45:04 -05:00
bbedward
786c13f892 clipboard: fix mime type selection 2025-12-13 09:35:55 -05:00
26 changed files with 5863 additions and 304 deletions

View File

@@ -2,6 +2,15 @@ repos:
- repo: https://github.com/golangci/golangci-lint
rev: v2.6.2
hooks:
- id: golangci-lint-full
- id: golangci-lint-fmt
require_serial: true
- id: golangci-lint-full
- id: golangci-lint-config-verify
- repo: local
hooks:
- id: go-test
name: go test
entry: go test ./...
language: system
pass_filenames: false
types: [go]

View File

@@ -276,4 +276,4 @@ bind = CTRL, Print, exec, dms screenshot full
bind = ALT, Print, exec, dms screenshot window
# === System Controls ===
bind = $mod SHIFT, P, dpms, off
bind = $mod SHIFT, P, dpms, toggle

View File

@@ -208,6 +208,9 @@ func handleSetConfig(conn net.Conn, req models.Request, m *Manager) {
if v, ok := req.Params["disableHistory"].(bool); ok {
cfg.DisableHistory = v
}
if v, ok := req.Params["disablePersist"].(bool); ok {
cfg.DisablePersist = v
}
if err := m.SetConfig(cfg); err != nil {
models.RespondError(conn, req.ID, err.Error())

View File

@@ -229,10 +229,18 @@ func (m *Manager) setupDataDeviceSync() {
m.offerMutex.RUnlock()
}
m.ownerLock.Lock()
wasOwner := m.isOwner
m.ownerLock.Unlock()
if offer == nil {
return
}
if wasOwner {
return
}
m.currentOffer = offer
m.offerMutex.RLock()
@@ -241,7 +249,30 @@ func (m *Manager) setupDataDeviceSync() {
m.mimeTypes = mimes
go m.storeCurrentClipboard()
if len(mimes) == 0 {
return
}
preferredMime := m.selectMimeType(mimes)
if preferredMime == "" {
return
}
typedOffer := offer.(*ext_data_control.ExtDataControlOfferV1)
r, w, err := os.Pipe()
if err != nil {
return
}
if err := typedOffer.Receive(preferredMime, int(w.Fd())); err != nil {
r.Close()
w.Close()
return
}
w.Close()
go m.readAndStore(r, preferredMime)
})
if err := dataMgr.GetDataDeviceWithProxy(dataDevice, m.seat); err != nil {
@@ -259,28 +290,24 @@ func (m *Manager) setupDataDeviceSync() {
log.Info("Data device setup complete")
}
func (m *Manager) storeCurrentClipboard() {
if m.currentOffer == nil {
return
}
func (m *Manager) readAndStore(r *os.File, mimeType string) {
defer r.Close()
cfg := m.getConfig()
offer := m.currentOffer.(*ext_data_control.ExtDataControlOfferV1)
done := make(chan []byte, 1)
go func() {
data, _ := io.ReadAll(r)
done <- data
}()
if len(m.mimeTypes) == 0 {
var data []byte
select {
case data = <-done:
case <-time.After(500 * time.Millisecond):
return
}
preferredMime := m.selectMimeType(m.mimeTypes)
if preferredMime == "" {
preferredMime = m.mimeTypes[0]
}
data, err := m.receiveData(offer, preferredMime)
if err != nil {
return
}
if len(data) == 0 || int64(len(data)) > cfg.MaxEntrySize {
return
}
@@ -289,7 +316,11 @@ func (m *Manager) storeCurrentClipboard() {
}
if !cfg.DisableHistory && m.db != nil {
m.storeClipboardEntry(data, preferredMime)
m.storeClipboardEntry(data, mimeType)
}
if !cfg.DisablePersist {
m.persistClipboard([]string{mimeType}, map[string][]byte{mimeType: data})
}
m.updateState()
@@ -317,6 +348,105 @@ func (m *Manager) storeClipboardEntry(data []byte, mimeType string) {
}
}
func (m *Manager) persistClipboard(mimeTypes []string, data map[string][]byte) {
m.persistMutex.Lock()
m.persistMimeTypes = mimeTypes
m.persistData = data
m.persistMutex.Unlock()
m.post(func() {
m.takePersistOwnership()
})
}
func (m *Manager) takePersistOwnership() {
if m.dataControlMgr == nil || m.dataDevice == nil {
return
}
if m.getConfig().DisablePersist {
return
}
m.persistMutex.RLock()
mimeTypes := m.persistMimeTypes
m.persistMutex.RUnlock()
if len(mimeTypes) == 0 {
return
}
dataMgr := m.dataControlMgr.(*ext_data_control.ExtDataControlManagerV1)
source, err := dataMgr.CreateDataSource()
if err != nil {
log.Errorf("Failed to create persist source: %v", err)
return
}
for _, mime := range mimeTypes {
if err := source.Offer(mime); err != nil {
log.Errorf("Failed to offer mime type %s: %v", mime, err)
}
}
source.SetSendHandler(func(e ext_data_control.ExtDataControlSourceV1SendEvent) {
fd := e.Fd
defer syscall.Close(fd)
m.persistMutex.RLock()
d := m.persistData[e.MimeType]
m.persistMutex.RUnlock()
if len(d) == 0 {
return
}
file := os.NewFile(uintptr(fd), "clipboard-pipe")
defer file.Close()
file.Write(d)
})
source.SetCancelledHandler(func(e ext_data_control.ExtDataControlSourceV1CancelledEvent) {
m.ownerLock.Lock()
m.isOwner = false
m.ownerLock.Unlock()
})
if m.currentSource != nil {
oldSource := m.currentSource.(*ext_data_control.ExtDataControlSourceV1)
oldSource.Destroy()
}
m.currentSource = source
device := m.dataDevice.(*ext_data_control.ExtDataControlDeviceV1)
if err := device.SetSelection(source); err != nil {
log.Errorf("Failed to set persist selection: %v", err)
return
}
m.ownerLock.Lock()
m.isOwner = true
m.ownerLock.Unlock()
}
func (m *Manager) releaseOwnership() {
m.ownerLock.Lock()
m.isOwner = false
m.ownerLock.Unlock()
m.persistMutex.Lock()
m.persistData = nil
m.persistMimeTypes = nil
m.persistMutex.Unlock()
if m.currentSource != nil {
source := m.currentSource.(*ext_data_control.ExtDataControlSourceV1)
source.Destroy()
m.currentSource = nil
}
}
func (m *Manager) storeEntry(entry Entry) error {
if m.db == nil {
return fmt.Errorf("database not available")
@@ -471,8 +601,9 @@ func (m *Manager) selectMimeType(mimes []string) string {
"TEXT",
"image/png",
"image/jpeg",
"image/bmp",
"image/gif",
"image/bmp",
"image/tiff",
}
for _, pref := range preferredTypes {
@@ -483,6 +614,10 @@ func (m *Manager) selectMimeType(mimes []string) string {
}
}
if len(mimes) > 0 {
return mimes[0]
}
return ""
}
@@ -490,42 +625,6 @@ func (m *Manager) isImageMimeType(mime string) bool {
return strings.HasPrefix(mime, "image/")
}
func (m *Manager) receiveData(offer *ext_data_control.ExtDataControlOfferV1, mimeType string) ([]byte, error) {
r, w, err := os.Pipe()
if err != nil {
return nil, err
}
defer r.Close()
receiveErr := make(chan error, 1)
m.post(func() {
err := offer.Receive(mimeType, int(w.Fd()))
w.Close()
receiveErr <- err
})
if err := <-receiveErr; err != nil {
return nil, err
}
type result struct {
data []byte
err error
}
done := make(chan result, 1)
go func() {
data, err := io.ReadAll(r)
done <- result{data, err}
}()
select {
case res := <-done:
return res.data, res.err
case <-time.After(500 * time.Millisecond):
return nil, fmt.Errorf("timeout reading clipboard data")
}
}
func (m *Manager) textPreview(data []byte) string {
text := string(data)
text = strings.TrimSpace(text)
@@ -1210,7 +1309,13 @@ func (m *Manager) applyConfigChange(newCfg Config) {
}
}
log.Infof("Clipboard config reloaded: disableHistory=%v", newCfg.DisableHistory)
if newCfg.DisablePersist && !oldCfg.DisablePersist {
log.Info("Clipboard persist disabled, releasing ownership")
m.releaseOwnership()
}
log.Infof("Clipboard config reloaded: disableHistory=%v disablePersist=%v",
newCfg.DisableHistory, newCfg.DisablePersist)
m.updateState()
m.notifySubscribers()

View File

@@ -289,6 +289,81 @@ func TestManager_ConcurrentOfferAccess(t *testing.T) {
wg.Wait()
}
func TestManager_ConcurrentPersistAccess(t *testing.T) {
m := &Manager{
persistData: make(map[string][]byte),
persistMimeTypes: []string{},
}
var wg sync.WaitGroup
const goroutines = 20
const iterations = 50
for i := 0; i < goroutines/2; i++ {
wg.Add(1)
go func() {
defer wg.Done()
for j := 0; j < iterations; j++ {
m.persistMutex.RLock()
_ = m.persistData
_ = m.persistMimeTypes
m.persistMutex.RUnlock()
}
}()
}
for i := 0; i < goroutines/2; i++ {
wg.Add(1)
go func(id int) {
defer wg.Done()
for j := 0; j < iterations; j++ {
m.persistMutex.Lock()
m.persistMimeTypes = []string{"text/plain", "text/html"}
m.persistData = map[string][]byte{
"text/plain": []byte("test"),
}
m.persistMutex.Unlock()
}
}(i)
}
wg.Wait()
}
func TestManager_ConcurrentOwnerAccess(t *testing.T) {
m := &Manager{}
var wg sync.WaitGroup
const goroutines = 30
const iterations = 100
for i := 0; i < goroutines/2; i++ {
wg.Add(1)
go func() {
defer wg.Done()
for j := 0; j < iterations; j++ {
m.ownerLock.Lock()
_ = m.isOwner
m.ownerLock.Unlock()
}
}()
}
for i := 0; i < goroutines/2; i++ {
wg.Add(1)
go func() {
defer wg.Done()
for j := 0; j < iterations; j++ {
m.ownerLock.Lock()
m.isOwner = j%2 == 0
m.ownerLock.Unlock()
}
}()
}
wg.Wait()
}
func TestItob(t *testing.T) {
tests := []struct {
input uint64
@@ -334,8 +409,10 @@ func TestSelectMimeType(t *testing.T) {
}{
{[]string{"text/plain;charset=utf-8", "text/html"}, "text/plain;charset=utf-8"},
{[]string{"text/html", "text/plain"}, "text/plain"},
{[]string{"application/json", "image/png"}, "image/png"},
{[]string{"application/json", "application/xml"}, ""},
{[]string{"text/html", "image/png"}, "image/png"},
{[]string{"image/png", "image/jpeg"}, "image/png"},
{[]string{"image/png"}, "image/png"},
{[]string{"application/octet-stream"}, "application/octet-stream"},
{[]string{}, ""},
}
@@ -381,6 +458,7 @@ func TestDefaultConfig(t *testing.T) {
assert.False(t, cfg.ClearAtStartup)
assert.False(t, cfg.Disabled)
assert.False(t, cfg.DisableHistory)
assert.True(t, cfg.DisablePersist)
}
func TestManager_PostDelegatesToWlContext(t *testing.T) {

View File

@@ -21,6 +21,7 @@ type Config struct {
Disabled bool `json:"disabled"`
DisableHistory bool `json:"disableHistory"`
DisablePersist bool `json:"disablePersist"`
}
func DefaultConfig() Config {
@@ -29,6 +30,7 @@ func DefaultConfig() Config {
MaxEntrySize: 5 * 1024 * 1024,
AutoClearDays: 0,
ClearAtStartup: false,
DisablePersist: true,
}
}
@@ -133,6 +135,13 @@ type Manager struct {
sourceMimeTypes []string
sourceMutex sync.RWMutex
persistData map[string][]byte
persistMimeTypes []string
persistMutex sync.RWMutex
isOwner bool
ownerLock sync.Mutex
initialized bool
alive bool

View File

@@ -880,29 +880,24 @@ func (b *NetworkManagerBackend) ImportVPN(filePath string, name string) (*VPNImp
}
func (b *NetworkManagerBackend) importVPNWithNmcli(filePath string, name string) (*VPNImportResult, error) {
args := []string{"connection", "import", "type", "openvpn", "file", filePath}
cmd := exec.Command("nmcli", args...)
output, err := cmd.CombinedOutput()
vpnTypes := []string{"openvpn", "wireguard", "vpnc", "pptp", "l2tp", "openconnect", "strongswan"}
var output []byte
var err error
for _, vpnType := range vpnTypes {
args := []string{"connection", "import", "type", vpnType, "file", filePath}
cmd := exec.Command("nmcli", args...)
output, err = cmd.CombinedOutput()
if err == nil {
break
}
}
if err != nil {
outputStr := string(output)
if strings.Contains(outputStr, "vpnc") || strings.Contains(outputStr, "unknown connection type") {
for _, vpnType := range []string{"vpnc", "pptp", "l2tp", "openconnect", "strongswan", "wireguard"} {
args = []string{"connection", "import", "type", vpnType, "file", filePath}
cmd = exec.Command("nmcli", args...)
output, err = cmd.CombinedOutput()
if err == nil {
break
}
}
}
if err != nil {
return &VPNImportResult{
Success: false,
Error: fmt.Sprintf("import failed: %s", strings.TrimSpace(string(output))),
}, nil
}
return &VPNImportResult{
Success: false,
Error: fmt.Sprintf("import failed: %s", strings.TrimSpace(string(output))),
}, nil
}
outputStr := string(output)

View File

@@ -204,6 +204,9 @@ func handleClipboardSetConfig(conn net.Conn, req models.Request) {
if v, ok := req.Params["disableHistory"].(bool); ok {
cfg.DisableHistory = v
}
if v, ok := req.Params["disablePersist"].(bool); ok {
cfg.DisablePersist = v
}
if err := clipboard.SaveConfig(cfg); err != nil {
models.RespondError(conn, req.ID, err.Error())

View File

@@ -1,3 +1,15 @@
dms-git (1.0.2+git2521.3b511e2f) nightly; urgency=medium
* Git snapshot (commit 2521: 3b511e2f)
-- Avenge Media <AvengeMedia.US@gmail.com> Sat, 13 Dec 2025 21:10:22 +0000
dms-git (1.0.2+git2518.a783d650) nightly; urgency=medium
* Git snapshot (commit 2518: a783d650)
-- Avenge Media <AvengeMedia.US@gmail.com> Sat, 13 Dec 2025 15:11:40 +0000
dms-git (1.0.2+git2510.0f89886c) nightly; urgency=medium
* Git snapshot (commit 2510: 0f89886c)

View File

@@ -1,7 +1,7 @@
%global debug_package %{nil}
Name: dms-git
Version: 1.0.2+git2510.0f89886c
Version: 1.0.2+git2521.3b511e2f
Release: 1%{?dist}
Epoch: 2
Summary: DankMaterialShell - Material 3 inspired shell (git nightly)
@@ -135,6 +135,10 @@ pkill -USR1 -x dms >/dev/null 2>&1 || :
%{_datadir}/icons/hicolor/scalable/apps/danklogo.svg
%changelog
* Sat Dec 13 2025 Avenge Media <AvengeMedia.US@gmail.com> - 1.0.2+git2521.3b511e2f-1
- Git snapshot (commit 2521: 3b511e2f)
* Sat Dec 13 2025 Avenge Media <AvengeMedia.US@gmail.com> - 1.0.2+git2518.a783d650-1
- Git snapshot (commit 2518: a783d650)
* Sat Dec 13 2025 Avenge Media <AvengeMedia.US@gmail.com> - 1.0.2+git2510.0f89886c-1
- Git snapshot (commit 2510: 0f89886c)
* Sat Dec 13 2025 Avenge Media <AvengeMedia.US@gmail.com> - 1.0.2+git2507.b2ac9c6c-1

View File

@@ -1,5 +1,5 @@
dms-git (1.0.2+git2510.0f89886cppa1) questing; urgency=medium
dms-git (1.0.2+git2521.3b511e2fppa1) questing; urgency=medium
* Git snapshot (commit 2510: 0f89886c)
* Git snapshot (commit 2521: 3b511e2f)
-- Avenge Media <AvengeMedia.US@gmail.com> Sat, 13 Dec 2025 06:48:37 +0000
-- Avenge Media <AvengeMedia.US@gmail.com> Sat, 13 Dec 2025 21:18:44 +0000

View File

@@ -13,31 +13,88 @@ Item {
property bool saving: false
readonly property var maxHistoryOptions: [
{ text: "25", value: 25 },
{ text: "50", value: 50 },
{ text: "100", value: 100 },
{ text: "200", value: 200 },
{ text: "500", value: 500 },
{ text: "1000", value: 1000 }
{
text: "25",
value: 25
},
{
text: "50",
value: 50
},
{
text: "100",
value: 100
},
{
text: "200",
value: 200
},
{
text: "500",
value: 500
},
{
text: "1000",
value: 1000
}
]
readonly property var maxEntrySizeOptions: [
{ text: "1 MB", value: 1048576 },
{ text: "2 MB", value: 2097152 },
{ text: "5 MB", value: 5242880 },
{ text: "10 MB", value: 10485760 },
{ text: "20 MB", value: 20971520 },
{ text: "50 MB", value: 52428800 }
{
text: "1 MB",
value: 1048576
},
{
text: "2 MB",
value: 2097152
},
{
text: "5 MB",
value: 5242880
},
{
text: "10 MB",
value: 10485760
},
{
text: "20 MB",
value: 20971520
},
{
text: "50 MB",
value: 52428800
}
]
readonly property var autoClearOptions: [
{ text: I18n.tr("Never"), value: 0 },
{ text: I18n.tr("1 day"), value: 1 },
{ text: I18n.tr("3 days"), value: 3 },
{ text: I18n.tr("7 days"), value: 7 },
{ text: I18n.tr("14 days"), value: 14 },
{ text: I18n.tr("30 days"), value: 30 },
{ text: I18n.tr("90 days"), value: 90 }
{
text: I18n.tr("Never"),
value: 0
},
{
text: I18n.tr("1 day"),
value: 1
},
{
text: I18n.tr("3 days"),
value: 3
},
{
text: I18n.tr("7 days"),
value: 7
},
{
text: I18n.tr("14 days"),
value: 14
},
{
text: I18n.tr("30 days"),
value: 30
},
{
text: I18n.tr("90 days"),
value: 90
}
]
function getMaxHistoryText(value) {
@@ -139,9 +196,7 @@ Item {
StyledText {
font.pixelSize: Theme.fontSizeSmall
text: !DMSService.isConnected
? I18n.tr("DMS service is not connected. Clipboard settings are unavailable.")
: I18n.tr("Failed to load clipboard configuration.")
text: !DMSService.isConnected ? I18n.tr("DMS service is not connected. Clipboard settings are unavailable.") : I18n.tr("Failed to load clipboard configuration.")
wrapMode: Text.WordWrap
width: parent.width - Theme.iconSizeSmall - Theme.spacingM
anchors.verticalCenter: parent.verticalCenter
@@ -257,6 +312,16 @@ Item {
checked: root.config.disableHistory ?? false
onToggled: checked => root.saveConfig("disableHistory", checked)
}
SettingsToggleRow {
tab: "clipboard"
tags: ["clipboard", "disable", "persist", "ownership"]
settingKey: "disablePersist"
text: I18n.tr("Disable Clipboard Ownership")
description: I18n.tr("Don't preserve clipboard when apps close")
checked: root.config.disablePersist ?? true
onToggled: checked => root.saveConfig("disablePersist", checked)
}
}
}
}

View File

@@ -30,7 +30,7 @@ Singleton {
id: cavaProcess
running: root.cavaAvailable && root.refCount > 0
command: ["sh", "-c", "printf '[general]\\nframerate=25\\nbars=6\\nautosens=0\\nsensitivity=30\\nlower_cutoff_freq=50\\nhigher_cutoff_freq=12000\\n[input]\\nmethod=pipewire\\nsource=auto\\nsample_rate=48000\\n[output]\\nmethod=raw\\nraw_target=/dev/stdout\\ndata_format=ascii\\nchannels=mono\\nmono_option=average\\n[smoothing]\\nnoise_reduction=35\\nintegral=90\\ngravity=95\\nignore=2\\nmonstercat=1.5' | cava -p /dev/stdin"]
command: ["sh", "-c", "printf '[general]\\nframerate=25\\nbars=6\\nautosens=0\\nsensitivity=30\\nlower_cutoff_freq=50\\nhigher_cutoff_freq=12000\\n[input]\\nsample_rate=48000\\n[output]\\nmethod=raw\\nraw_target=/dev/stdout\\ndata_format=ascii\\nchannels=mono\\nmono_option=average\\n[smoothing]\\nnoise_reduction=35\\nintegral=90\\ngravity=95\\nignore=2\\nmonstercat=1.5' | cava -p /dev/stdin"]
onRunningChanged: {
if (!running) {

View File

@@ -23,6 +23,7 @@ LANGUAGES = {
"pl": "pl.json",
"es": "es.json",
"he": "he.json",
"hu": "hu.json",
}
def error(msg):

File diff suppressed because it is too large Load Diff

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": "0 = esquinas cuadradas"
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1 evento"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": "10 segundos"
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": "15 segundos"
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "Formato de 24 horas"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": "3 segundos"
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": "30 segundos"
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": "5 segundos"
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": "8 segundos"
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "Un archivo con este nombre ya existe. ¿Quieres reemplazarlo?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "Ajustar cuántas columnas se muestran en la cuadrícula."
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": "Tarde"
},
@@ -230,6 +251,9 @@
"Audio Output Switch": {
"Audio Output Switch": ""
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": "Autenticación"
},
@@ -266,6 +290,9 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "Márgenes automáticos en popups"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
},
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "Rotar automáticamente entre los fondos de pantalla en la misma carpeta"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "Detectar la localización automáticamente basándose en la dirección IP"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": "Borrar todos los trabajos"
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": "Clic en importar para añadir un archivo .ovpn o .conf"
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": "Clic para capturar"
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "Historial del portapapeles"
},
"Clipboard Manager": {
"Clipboard Manager": "Gestor de portapapeles"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "Reloj"
},
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "Controla la opacidad del fondo de DankBar"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "Copiado al portapapeles"
},
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMS desactualizado"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": ""
},
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "Desactivar conexión automática"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "Desactivado"
},
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "Habilitar integración con loginctl"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "Habilitado"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "Error al conectar a "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": "Error al crear la impresora"
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": "Error al cargar configuración VPN"
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": "Error al mover el trabajo"
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "Error al reanudar la impresora"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": ""
},
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "Paleta fiel que conserva los tonos originales."
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": "Duración de pulsación"
},
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "Monitoreo de inactividad no soportado - requiere versión reciente de Quickshell"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "Imagen"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": "Importar"
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "Formato en la pantalla de bloqueo"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "Bloquear pantalla antes de suspender"
},
@@ -1682,12 +1787,27 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Monitor objetivo de Matugen"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "Máximo de aplicaciones a mostrar"
},
"Maximize Detection": {
"Maximize Detection": ""
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "Multimedia"
},
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "Clic derecho en la barra para cambiar"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "Ejecutar plantillas de usuario"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: Borrar todo • Esc: Cerrar "
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": ""
},
@@ -2585,6 +2711,9 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "Mostrar las 9 etiquetas en lugar de solo las ocupadas (solo DWL)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "Oscurecer el fondo al abrir un modal"
},
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Seleccionar fondo de pantalla"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": ""
},
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": "minutos"
},
"ms": {
"ms": ""
},
"official": {
"official": "oficial"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": ""
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• Instalar solo desde fuentes confiables"
},

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": "0 = פינות מרובעות"
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "אירוע אחד"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": "10 שניות"
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": "15 שניות"
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "תבנית 24 שעות"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": "3 שניות"
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": "30 שניות"
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": "5 שניות"
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": "8 שניות"
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "קיים כבר קובץ עם השם זה. האם ברצונך לדרוס אותו?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "התאם/י את מספר העמודות במצב תצוגת רשת."
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": "אחר הצהריים"
},
@@ -230,6 +251,9 @@
"Audio Output Switch": {
"Audio Output Switch": ""
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": "אימות"
},
@@ -266,6 +290,9 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "מרווחי חלוניות קופצות אוטומטיים"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
},
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "עבור/עברי באופן אוטומטי ומחזורי בין רקעים שנמצאים באותה תיקייה"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "זיהוי מיקום אוטומטי לפי כתובת IP"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": "נקה/י את כל העבודות"
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": "לחץ/י על ייבוא כדי להוסיף קובץ ovpn. או conf."
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": "לחץ/י ללכידה"
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "היסטוריית לוח ההעתקה"
},
"Clipboard Manager": {
"Clipboard Manager": "מנהל לוח ההעתקה"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "שעון"
},
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "שולט בשקיפות של רקע הלוח DankBar"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "הועתק ללוח"
},
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "הDMS לא מעודכן"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": "פעולות מעטפת של DMS (משגר, לוח העתקה וכו')"
},
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "השבת/י התחברות אוטומטית"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "מושבת"
},
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "הפעל/י שילוב נעילה עם loginctl"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "מופעל"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "כישלון בעת החיבור אל "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": "יצירת המדפסת נכשלה"
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": "טעינת תצורת הVPN נכשלה"
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": "העברת העבודה נכשלה"
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "המשך פעולת המדפסת נכשל"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": "שמירת קיצור המקלדת נכשלה"
},
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "פלטת צבעים בנאמנות גבוהה המשמרת את גווני המקור."
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": "משך הלחיצה"
},
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "ניטור המתנה אינו נתמך נדרשת גרסת Quickshell חדשה יותר"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "תמונה"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": "ייבוא"
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "תבנית מסך הנעילה"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "נעל/י לפני השהיה"
},
@@ -1682,12 +1787,27 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "מסך יעד עבור Matugen"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "מספר מקסימלי של אפליקציות להצגה"
},
"Maximize Detection": {
"Maximize Detection": ""
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "מדיה"
},
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "לחץ/י קליק ימני על הווידג׳ט כדי לעבור במעגל"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "הרץ/י תבניות משתמש"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: ניקוי הכל • Esc: סגירה"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": "קצר"
},
@@ -2585,6 +2711,9 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "הצג/י את כל 9 התגים במקום רק את התגים הפעילים (DWL בלבד)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "הצג/י שכבה כהה מאחורי חלוניות שיח"
},
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "בחר/י רקע"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": "dms/binds.kdl קיים אך אינו כלול בconfig.kdl. קיצורי מקלדת מותאמים אישית לא יעבדו עד שהבעיה תתוקן."
},
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": "דקות"
},
"ms": {
"ms": ""
},
"official": {
"official": "רשמי"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": "ניהול רקעים חיצוני"
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• התקן/י רק ממקורות מהימנים"
},

File diff suppressed because it is too large Load Diff

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": "0 = angoli squadrati"
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1 evento"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": "10 secondi"
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": "15 secondi"
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "formato 24-ore"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": "3 secondi"
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": "30 secondi"
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": "5 secondi"
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": "8 secondi"
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "Un file con questo nome esiste già. Vuoi sovrascriverlo?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "Regola il numero di colonne nella modalità di visualizzazione a griglia."
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": "Pomeriggio"
},
@@ -177,7 +198,7 @@
"Always show a minimum of 3 workspaces, even if fewer are available": "Visualizza sempre un minimo di 3 workspaces, anche se ne sono visibili meno"
},
"Amount": {
"Amount": ""
"Amount": "Quantità"
},
"Animation Speed": {
"Animation Speed": "Velocità Animazione"
@@ -228,7 +249,10 @@
"Audio Output Devices (": "Dispositivi Uscita Audio ("
},
"Audio Output Switch": {
"Audio Output Switch": ""
"Audio Output Switch": "Cambio Uscita Audio"
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": "Autenticazione"
@@ -266,8 +290,11 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "Auto Popup Gaps"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
"Auto-close Niri overview when launching apps.": "Chiudi automaticamente la panoramica di Niri all'avvio delle app."
},
"Auto-hide": {
"Auto-hide": "Nascondi automaticamente "
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "Scorre automaticamente gli sfondi nella stessa cartella"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "Rileva automaticamente la posizione in base all'indirizzo IP"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": "Elimina Tutti i Lavori"
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": "Clicka su Importa per aggiungere un file .ovpn o .conf"
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": "Clicca per acquisire"
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "Cronologia Clipboard"
},
"Clipboard Manager": {
"Clipboard Manager": "Gestore Clipboard"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "Orologio"
},
@@ -564,7 +609,7 @@
"Color Picker": "Prelievo Colore"
},
"Color Temperature": {
"Color Temperature": ""
"Color Temperature": "Temperatura Colore"
},
"Color displayed on monitors without the lock screen": {
"Color displayed on monitors without the lock screen": "Colore visualizzato sui monitor senza la schermata di blocco"
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "Controlla l'opacità dello sfondo del pannello della DankBar"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "Copiato nella clipboard"
},
@@ -717,13 +765,13 @@
"Current Items": "Elementi Correnti"
},
"Current Period": {
"Current Period": ""
"Current Period": "Periodo Corrente"
},
"Current Status": {
"Current Status": ""
"Current Status": "Stato Attuale"
},
"Current Temp": {
"Current Temp": ""
"Current Temp": "Temperatura attuale"
},
"Current Weather": {
"Current Weather": "Meteo Attuale"
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMS obsoleta"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": "Azioni della shell DMS (lanuncher, appunti, ecc.)"
},
@@ -837,7 +888,7 @@
"Day Temperature": "Temperatura Giorno"
},
"Daytime": {
"Daytime": ""
"Daytime": "Ora del Giorno"
},
"Deck": {
"Deck": "Deck"
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "Disabilita connessione automatica"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "Disabilitato"
},
@@ -942,7 +1005,7 @@
"Display settings for ": "Impostazioni display per "
},
"Display the power system menu": {
"Display the power system menu": ""
"Display the power system menu": "Mostra il menu di sistema alimentazione"
},
"Display volume and brightness percentage values in OSD popups": {
"Display volume and brightness percentage values in OSD popups": "Mostra i valori percentuali di volume e luminosità nei popup OSD"
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "Abilita l'integrazione lock loginctl"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "Abilitato"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "Impossibile connettersi a "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": "Impossibile creare la stampante"
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": "Impossibile importare la configurazione VPN"
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": "Impossibile spostare il lavoro"
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "Impossibile riavviare la stampante"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": "Impossibile salvare la scorciatoia"
},
@@ -1263,7 +1353,7 @@
"Focused Window": "Finestra a fuoco"
},
"Follow focus": {
"Follow focus": ""
"Follow focus": "Segui il focus"
},
"Font Family": {
"Font Family": "Famiglia Font"
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "Tavolozza alta-fedeltà per preservare la tonalità della sorgente"
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": "Durata della pressione"
},
@@ -1398,7 +1491,7 @@
"Hold to Confirm Power Actions": "Tieni premuto per confermare le azioni di alimentazione"
},
"Hold to confirm (%1 ms)": {
"Hold to confirm (%1 ms)": ""
"Hold to confirm (%1 ms)": "Tieni premuto per confermare (%1 ms)"
},
"Hold to confirm (%1s)": {
"Hold to confirm (%1s)": "Tieni premuto per confermare (%1s)"
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "Monitoraggio riposo non supportato - richiede una versione più recente Quickshell"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "Immagine"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": "Importa"
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "Formato Blocca Schermo"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "Blocca prima di sospendere"
},
@@ -1682,11 +1787,26 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Monitor di destinazione Matugen"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "Applicazioni massime da mostrare"
},
"Maximize Detection": {
"Maximize Detection": ""
"Maximize Detection": "Rilevamento Massimizzazione"
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "Media"
@@ -1836,7 +1956,7 @@
"New York, NY": "New York, NY"
},
"Next Transition": {
"Next Transition": ""
"Next Transition": "Prossima Transizione"
},
"Night": {
"Night": "Notte"
@@ -1866,7 +1986,7 @@
"No Bluetooth adapter found": "Nessun adattatore Bluetooth trovato"
},
"No GPU detected": {
"No GPU detected": ""
"No GPU detected": "Nessuna GPU rilevata"
},
"No Media": {
"No Media": "Nessun Media"
@@ -2016,7 +2136,7 @@
"Optional location": "Posizione facoltativa"
},
"Options": {
"Options": ""
"Options": "Opzioni"
},
"Other": {
"Other": "Altro"
@@ -2148,7 +2268,7 @@
"Plugins:": "Plugins:"
},
"Pointer": {
"Pointer": ""
"Pointer": "Puntatore"
},
"Popup Position": {
"Popup Position": "Posizione Popup"
@@ -2166,7 +2286,7 @@
"Possible Override Conflicts": "Possibili Conflitti di Sovrascrittura"
},
"Power": {
"Power": ""
"Power": "Alimentazione"
},
"Power & Security": {
"Power & Security": "Alimentazione & Sicurezza"
@@ -2316,7 +2436,7 @@
"Remove": "Rimuovi"
},
"Remove gaps and border when windows are maximized": {
"Remove gaps and border when windows are maximized": ""
"Remove gaps and border when windows are maximized": "Rimuovi spazi e bordo quando le finestre sono massimizzate"
},
"Report": {
"Report": "Riepilogo"
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "Click destro sulla barra per scorrimento"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "Esegui Templates Utente"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: Elimina tutto • Esc: Chiude"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": "Corto"
},
@@ -2585,11 +2711,14 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "Mostra tutti i 9 tags invece dei soli tags occupati (solo DWL)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "Mostra la sovrapposizione scurita dietro le finestre di dialogo modali"
},
"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.": "Mostra la sovrapposizione del launcher durante la digitazione nella panoramica di Niri. Disabilita per usare un altro launcher."
},
"Show on Last Display": {
"Show on Last Display": "Mostra sull'ultimo display"
@@ -2610,7 +2739,7 @@
"Show on-screen display when caps lock state changes": "Visualizza un messaggio a schermo quando lo stato del maiuscolo cambia"
},
"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": "Mostra un avviso sullo schermo quando si scorre tra i dispositivi di uscita audio"
},
"Show on-screen display when idle inhibitor state changes": {
"Show on-screen display when idle inhibitor state changes": "Mostra visualizzazione a schermo quando cambia lo stato dell'inibitore di inattività"
@@ -2760,7 +2889,7 @@
"Switch User": "Cambia Utente"
},
"Switch to power profile": {
"Switch to power profile": ""
"Switch to power profile": "Passa al profilo energetico"
},
"Sync Mode with Portal": {
"Sync Mode with Portal": "Modalità Sync con Portale"
@@ -2811,7 +2940,7 @@
"System update custom command": "Comando personalizzato aggiornamento sistema"
},
"Tab": {
"Tab": ""
"Tab": "Scheda"
},
"Tab/Shift+Tab: Nav • ←→↑↓: Grid Nav • Enter/Space: Select": {
"Tab/Shift+Tab: Nav • ←→↑↓: Grid Nav • Enter/Space: Select": "Tab/Shift+Tab: Nav • ←→↑↓: Griglia Nav • Enter/Spazio: Seleziona"
@@ -2847,7 +2976,7 @@
"Theme Color": "Colori Tema"
},
"Thickness": {
"Thickness": ""
"Thickness": "Spessore"
},
"Third-Party Plugin Warning": {
"Third-Party Plugin Warning": "Avviso Plugin Terze-Parti"
@@ -3108,7 +3237,7 @@
"Wallpapers": "Sfondi"
},
"Warm color temperature to apply": {
"Warm color temperature to apply": ""
"Warm color temperature to apply": "Temperatura colore calda da applicare"
},
"Warning": {
"Warning": "Attenzione"
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Seleziona Sfondo"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": "dms/binds.kdl esiste ma non è incluso in config.kdl. Le scorciatoie personalizzate non funzioneranno finché questo non sarà risolto."
},
@@ -3243,7 +3375,7 @@
"files": "file"
},
"leave empty for default": {
"leave empty for default": ""
"leave empty for default": "lascia vuoto per il valore predefinito"
},
"loginctl not available - lock integration requires DMS socket connection": {
"loginctl not available - lock integration requires DMS socket connection": "loginctl non disponibile - integrazione blocco richiede connessione socket DMS"
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": "minuti"
},
"ms": {
"ms": ""
},
"official": {
"official": "ufficiale"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": "Gestore di Sfondi ESterno"
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• Installa solo da sorgenti fidate"
},

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": ""
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1件のイベント"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": ""
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": ""
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "24時間形式"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": ""
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": ""
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": ""
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": ""
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "この名前のファイルは既に存在します。上書きしてもよろしいですか?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "グリッド表示モードでの列数を調整します。"
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": ""
},
@@ -230,6 +251,9 @@
"Audio Output Switch": {
"Audio Output Switch": ""
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": ""
},
@@ -266,6 +290,9 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "自動ポップアップギャップ"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
},
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "同じフォルダ内の壁紙を自動的に切り替える"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "IPアドレスに基づいて位置を自動的に検出"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": ""
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": ""
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": ""
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "クリップボード履歴"
},
"Clipboard Manager": {
"Clipboard Manager": "クリップボード管理"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "時計"
},
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "DankBarパネルの背景の不透明度を制御"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "クリップボードにコピーしました"
},
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMSに更新があります"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": ""
},
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "自動接続を無効"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "無効化されました"
},
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "ログインロックの統合を有効に"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "有効化されました"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "接続ができませんでした "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": ""
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": ""
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": ""
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "プリンタの再開に失敗しました"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": ""
},
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "ソースの色相を保持する忠実度の高いパレット。"
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": ""
},
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "アイドル監視はサポートされていません - 新しい Quickshell バージョンが必要です"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "画像"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": ""
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "ロック画面のフォーマット"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "一時停止前にロック"
},
@@ -1682,12 +1787,27 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Matugenターゲットモニター"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "表示するアプリの最大数"
},
"Maximize Detection": {
"Maximize Detection": ""
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "メディア"
},
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "バーウィジェットを右クリックして循環"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "ユーザーのテンプレを実行"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: すべてクリア • Esc: 閉じる"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": ""
},
@@ -2585,6 +2711,9 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "占有タグのみではなく、9 つのタグをすべて表示 (DWL のみ)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "モーダルダイアログの背後に暗いオーバーレイを表示"
},
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "壁紙を選んでください"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": ""
},
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": ""
},
"ms": {
"ms": ""
},
"official": {
"official": "公式"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": ""
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• 信頼できるソースからのみインストールする"
},

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": "0 = kwadratowe rogi"
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1 wydarzenie"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": "10 sekund"
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": "15 sekund"
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "format 24-godzinny"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": "3 sekundy"
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": "30 sekund"
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": "5 sekund"
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": "8 sekund"
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "Plik o takiej nazwie już istnieje. Czy chcesz go nadpisać?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "Dostosuj liczbę kolumn w widoku siatki."
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": "Popołudnie"
},
@@ -230,6 +251,9 @@
"Audio Output Switch": {
"Audio Output Switch": ""
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": "Uwierzytelnianie"
},
@@ -266,6 +290,9 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "Automatyczne odstępy wyskakujących okienek"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
},
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "Automatycznie zmieniaj tapety z tego samego katalogu"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "Automatycznie wykrywaj lokalizację na podstawie adresu IP"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": "Wyczyść wszystkie zadania"
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": "Kliknij Importuj, aby dodać plik .ovpn lub .conf"
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": "Kliknij, aby uchwycić"
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "Historia schowka"
},
"Clipboard Manager": {
"Clipboard Manager": "Menedżer schowka"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "Zegar"
},
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "Kontroluje przezroczystość tła panelu DankBar"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "Skopiowano do schowka"
},
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMS nieaktualny"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": "Akcje powłoki DMS (program uruchamiający, schowek itp.)"
},
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "Wyłącz automatyczne łączenie"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "Wyłączony"
},
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "Włącz integrację blokady loginctl"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "Włączony"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "Nie udało się połączyć z "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": "Nie udało się utworzyć drukarki"
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": "Nie udało się wczytać konfiguracji VPN"
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": "Nie udało się przenieść zadania"
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "Wznowienie drukarki nie powiodło się"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": "Nie udało się zapisać skrótu klawiszowego"
},
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "Wysokiej jakości paleta, która zachowuje źródłowe odcienie."
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": "Czas przytrzymania"
},
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "Monitorowanie bezczynności nie jest obsługiwane - wymaga nowszej wersji Quickshell"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "Zdjęcie"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": "Importuj"
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "Format ekranu blokady"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "Zablokuj przed wstrzymaniem"
},
@@ -1682,12 +1787,27 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Monitor docelowy Matugen"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "Maksymalna liczba aplikacji do pokazania"
},
"Maximize Detection": {
"Maximize Detection": ""
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "Media"
},
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "Kliknij prawym przyciskiem myszy pasek widżetu, aby przejść do następnego"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "Uruchom szablony użytkownika"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: Wyczyść wszystko • Esc: Zamknij"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": "Krótki"
},
@@ -2585,6 +2711,9 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "Pokaż wszystkie 9 tagów zamiast tylko zajętych (tylko DWL)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "Pokaż przyciemnioną nakładkę za oknami modalnymi"
},
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Wybierz tapetę"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": "Plik dms/binds.kdl istnieje, ale nie jest uwzględniony w pliku config.kdl. Niestandardowe skróty klawiszowe nie będą działać, dopóki ten problem nie zostanie rozwiązany."
},
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": "protokół"
},
"ms": {
"ms": ""
},
"official": {
"official": "oficjalny"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": "Zarządzanie tapetami zewnętrznymi"
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• Instaluj tylko z zaufanych źródeł"
},

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": ""
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1 evento"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": ""
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": ""
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "formato de 24 horas"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": ""
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": ""
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": ""
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": ""
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "Um arquivo com esse nome já existe. Você quer sobrescrevê-lo?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": ""
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": ""
},
@@ -230,6 +251,9 @@
"Audio Output Switch": {
"Audio Output Switch": ""
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": ""
},
@@ -266,6 +290,9 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "Espaçamento Automático de Popup"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
},
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "Circular automaticamente dentre os papéis de parede na mesma pasta"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "Detectar localização automáticamente baseado no endereço IP"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": ""
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": ""
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": ""
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "Histórico da Área de Transferência"
},
"Clipboard Manager": {
"Clipboard Manager": "Gerenciador da Área de Transferência"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "Relógio"
},
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": ""
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "Copiado para a área de transferência"
},
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMS desatualizado"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": ""
},
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": ""
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": ""
},
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "Ativar integração de bloqueio do loginctl"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": ""
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "Erro ao conectar a "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": ""
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": ""
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": ""
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": ""
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": ""
},
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "Paleta de alta fidelidade que preserva tons da fonte."
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": ""
},
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "Monitoramento de inatividade não disponível requer versão mais recente do Quickshell"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "Imagem"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": ""
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "Formato da Tela de Bloqueio"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "Bloquear antes de suspender"
},
@@ -1682,12 +1787,27 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Monitor-alvo do Matugen"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "Máximo de apps para mostrar"
},
"Maximize Detection": {
"Maximize Detection": ""
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "Mídia"
},
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": ""
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "Executar Templates do Usuário"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: Apagar tudo • Esc: Fechar"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": ""
},
@@ -2585,6 +2711,9 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "Mostrar todas as 9 tags ao invés de apenas tags ocupadas (apenas DWL)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": ""
},
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": ""
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": ""
},
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": ""
},
"ms": {
"ms": ""
},
"official": {
"official": "oficial"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": ""
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "Instale apenas de fontes confiáveis"
},

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": "0 = kare köşeler"
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1 etkinlik"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": "10 saniye"
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": "15 saniye"
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "24-saat biçimi"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": "3 saniye"
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": "30 saniye"
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": "5 saniye"
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": "8 saniye"
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "Bu isimde bir dosya zaten var. Üzerine yazmak istiyor musunuz?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "Izgara görünümü modunda sütun sayısını ayarla"
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": "Öğleden Sonra"
},
@@ -177,7 +198,7 @@
"Always show a minimum of 3 workspaces, even if fewer are available": "Her zaman en az 3 çalışma alanı göster, daha azı kullanılabilir olsa da"
},
"Amount": {
"Amount": ""
"Amount": "Miktar"
},
"Animation Speed": {
"Animation Speed": "Animasyon Hızı"
@@ -228,7 +249,10 @@
"Audio Output Devices (": "Ses Çıkış Aygıtları ("
},
"Audio Output Switch": {
"Audio Output Switch": ""
"Audio Output Switch": "Ses Çıkışı Değişimi"
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": "Kimlik"
@@ -266,8 +290,11 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "Otomatik Açılır Pencere Boşlukları"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
"Auto-close Niri overview when launching apps.": "Uygulamaları başlatınca Niri genel görünümünü otomatik kapat."
},
"Auto-hide": {
"Auto-hide": "Otomatik Gizleme"
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "Aynı klasördeki duvar kağıtlarını otomatik olarak değiştir"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "IP adresine göre konumu otomatik olarak algıla"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": "Tüm İşleri Temizle"
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": ".ovpn veya .conf dosyası eklemek için İçe Aktar'ı tıklayın."
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": "Yakalamak için tıkla"
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "Pano Geçmişi"
},
"Clipboard Manager": {
"Clipboard Manager": "Pano Yöneticisi"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "Saat"
},
@@ -564,7 +609,7 @@
"Color Picker": "Renk Seçici"
},
"Color Temperature": {
"Color Temperature": ""
"Color Temperature": "Renk Sıcaklığı"
},
"Color displayed on monitors without the lock screen": {
"Color displayed on monitors without the lock screen": "Kilit ekranı olmayan monitörlerde görüntülenen renk"
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "DankBar panelinin arka plan opaklığını kontrol eder"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "Panoya kopyalandı"
},
@@ -717,13 +765,13 @@
"Current Items": "Mevcut Öğeler"
},
"Current Period": {
"Current Period": ""
"Current Period": "Mevcut Periyot"
},
"Current Status": {
"Current Status": ""
"Current Status": "Mevcut Durum"
},
"Current Temp": {
"Current Temp": ""
"Current Temp": "Mevcut Sıcaklık"
},
"Current Weather": {
"Current Weather": "Güncel Hava Durumu"
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMS güncel değil"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": "DMS kabuk eylemleri (başlatıcı, pano, vb.)"
},
@@ -837,7 +888,7 @@
"Day Temperature": "Gündüz Sıcaklığı"
},
"Daytime": {
"Daytime": ""
"Daytime": "Gündüz"
},
"Deck": {
"Deck": "Deck"
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "Otomatik Bağlanmayı Devre Dışı Bırak"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "Devre Dışı"
},
@@ -942,7 +1005,7 @@
"Display settings for ": "Ekran ayarları: "
},
"Display the power system menu": {
"Display the power system menu": ""
"Display the power system menu": "Güç sistem menüsünü göster"
},
"Display volume and brightness percentage values in OSD popups": {
"Display volume and brightness percentage values in OSD popups": "OSD açılır pencerelerinde ses seviyesi ve parlaklık yüzdelerini göster"
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "loginctl kilit entegrasyonunu etkinleştir"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "Etkin"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "Bağlanılamadı "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": "Yazıcı oluşturulamadı"
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": "VPN ayarı yüklenemedi"
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": "İş taşınamadı"
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "Yazıcıyı devam ettirme başarısız"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": "Tuş kombinasyonu kaydedilemedi"
},
@@ -1263,7 +1353,7 @@
"Focused Window": "Odaklanılmış Pencere"
},
"Follow focus": {
"Follow focus": ""
"Follow focus": "Odağı takip et"
},
"Font Family": {
"Font Family": "Yazı Tipi Ailesi"
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "Kaynak tonları koruyan yüksek sadakatli palet"
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": "Tutma Süresi"
},
@@ -1398,7 +1491,7 @@
"Hold to Confirm Power Actions": "Güç Eylemlerini Onaylamak İçin Basılı Tutun"
},
"Hold to confirm (%1 ms)": {
"Hold to confirm (%1 ms)": ""
"Hold to confirm (%1 ms)": "Onaylamak için basılı tutun (%1ms)"
},
"Hold to confirm (%1s)": {
"Hold to confirm (%1s)": "Onaylamak için basılı tutun (%1s)"
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "Boşta kalma takibi desteklenmiyor - daha yeni Quickshell sürümü gerekli"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "Resim"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": "İçe Aktar"
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "Kilit Ekranı Biçimi"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "Askıya almadan önce kilitle"
},
@@ -1682,11 +1787,26 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Matugen Hedef Monitör"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "Gösterilecek maks uygulama"
},
"Maximize Detection": {
"Maximize Detection": ""
"Maximize Detection": "Algılamayı En Üst Düzeye Çıkar"
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "Medya"
@@ -1836,7 +1956,7 @@
"New York, NY": "New York, NY"
},
"Next Transition": {
"Next Transition": ""
"Next Transition": "Sonraki Geçiş"
},
"Night": {
"Night": "Gece"
@@ -1866,7 +1986,7 @@
"No Bluetooth adapter found": "Bluetooth adaptörü bulunamadı"
},
"No GPU detected": {
"No GPU detected": ""
"No GPU detected": "GPU tespit edilmedi"
},
"No Media": {
"No Media": "Medya Yok"
@@ -2016,7 +2136,7 @@
"Optional location": "Opsiyonel konum"
},
"Options": {
"Options": ""
"Options": "Seçenekler"
},
"Other": {
"Other": "Diğer"
@@ -2148,7 +2268,7 @@
"Plugins:": "Eklentiler:"
},
"Pointer": {
"Pointer": ""
"Pointer": "İşaretçi"
},
"Popup Position": {
"Popup Position": "Bildirim Pozisyonu"
@@ -2166,7 +2286,7 @@
"Possible Override Conflicts": "Olası Geçersiz Kılma Çakışmaları"
},
"Power": {
"Power": ""
"Power": "Güç"
},
"Power & Security": {
"Power & Security": "Güç & Güvenlik"
@@ -2316,7 +2436,7 @@
"Remove": "Kaldır"
},
"Remove gaps and border when windows are maximized": {
"Remove gaps and border when windows are maximized": ""
"Remove gaps and border when windows are maximized": "Pencereler ekranı kapladığında boşlukları ve kenarlıkları kaldır"
},
"Report": {
"Report": "Rapor"
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "Çubuk widget'ını sağ tıklayarak döngüye değiştir"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "Kullanıcı Şablonlarını Çalıştır"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: Tümünü Temizle • Esc: Kapat"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": "Kısa"
},
@@ -2585,11 +2711,14 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "Sadece dolu etiketleri değil, tüm 9 etiketi göster (sadece DWL)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "Modal diyalogların arkasında karartılmış kaplama göster"
},
"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.": "Niri genel görünümde yazarken başlatıcı katmanını göster. Başka bir başlatıcı kullanmak için devre dışı bırakın."
},
"Show on Last Display": {
"Show on Last Display": "Son Ekranda Göster"
@@ -2610,7 +2739,7 @@
"Show on-screen display when caps lock state changes": "Caps lock durumu değiştiğinde ekran gösterimi göster"
},
"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": "Ses çıkış cihazları arasında geçiş yaparken ekran gösterimi göster"
},
"Show on-screen display when idle inhibitor state changes": {
"Show on-screen display when idle inhibitor state changes": "Boşta kalma engelleyici durumu değiştiğinde ekran gösterimi göster"
@@ -2760,7 +2889,7 @@
"Switch User": "Kullanıcı Değiştir"
},
"Switch to power profile": {
"Switch to power profile": ""
"Switch to power profile": "Güç profiline geç"
},
"Sync Mode with Portal": {
"Sync Mode with Portal": "Modu Portal ile Eşitle"
@@ -2811,7 +2940,7 @@
"System update custom command": "Sistem güncelleme özel komutu"
},
"Tab": {
"Tab": ""
"Tab": "Sekme"
},
"Tab/Shift+Tab: Nav • ←→↑↓: Grid Nav • Enter/Space: Select": {
"Tab/Shift+Tab: Nav • ←→↑↓: Grid Nav • Enter/Space: Select": "Tab/Shift+Tab: Yön • ←→↑↓: Izgara Yönü • Enter/Space: Seç"
@@ -2847,7 +2976,7 @@
"Theme Color": "Tema Rengi"
},
"Thickness": {
"Thickness": ""
"Thickness": "Kalınlık"
},
"Third-Party Plugin Warning": {
"Third-Party Plugin Warning": "Üçüncü Taraf Eklenti Uyarısı"
@@ -3108,7 +3237,7 @@
"Wallpapers": "Duvar Kağıtları"
},
"Warm color temperature to apply": {
"Warm color temperature to apply": ""
"Warm color temperature to apply": "Uygulanacak sıcak renk sıcaklığı"
},
"Warning": {
"Warning": "Uyarı"
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "Duvar Kağıdı Seç"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": "dms/binds.kdl dosyası mevcut ancak config.kdl dosyasına dahil edilmemiştir. Bu sorun giderilene kadar özel tuş atamaları çalışmayacaktır."
},
@@ -3243,7 +3375,7 @@
"files": "dosyalar"
},
"leave empty for default": {
"leave empty for default": ""
"leave empty for default": "Varsayılanlar için boş bırakın"
},
"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"
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": "dakika"
},
"ms": {
"ms": ""
},
"official": {
"official": "resmi"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": "Harici Duvar Kağıdı Yönetimi"
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• Yalnızca güvenilir kaynaklardan yükle"
},

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": "0 = 直角"
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1个事件"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": "10 秒"
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": "15 秒"
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "24小时制"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": "3 秒"
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": "30 秒"
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": "5 秒"
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": "8 秒"
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "已存在同名文件,是否覆盖?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "在网格模式中按需调整列的数量。"
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": "下午"
},
@@ -177,7 +198,7 @@
"Always show a minimum of 3 workspaces, even if fewer are available": "即使不足也总是显示至少三个工作区"
},
"Amount": {
"Amount": ""
"Amount": "数量"
},
"Animation Speed": {
"Animation Speed": "动画速度"
@@ -228,7 +249,10 @@
"Audio Output Devices (": "音频输出设备 ("
},
"Audio Output Switch": {
"Audio Output Switch": ""
"Audio Output Switch": "声音输出切换"
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": "认证"
@@ -266,8 +290,11 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "自动弹窗间距"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
"Auto-close Niri overview when launching apps.": "当启动程序时自动关闭Niri概览。"
},
"Auto-hide": {
"Auto-hide": "自动隐藏"
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "自动轮换文件夹中的壁纸"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "根据 IP 地址自动检测位置"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": "清除所有任务"
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": "点击导入添加 .ovpn 或 .conf 文件"
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": "点击以捕获"
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "剪切板历史记录"
},
"Clipboard Manager": {
"Clipboard Manager": "剪切板管理器"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "时钟"
},
@@ -564,7 +609,7 @@
"Color Picker": "取色器"
},
"Color Temperature": {
"Color Temperature": ""
"Color Temperature": "色温"
},
"Color displayed on monitors without the lock screen": {
"Color displayed on monitors without the lock screen": "未显示锁屏的显示器上显示的颜色"
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "控制 DankBar 面板背景的不透明度"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "复制到剪切板"
},
@@ -717,13 +765,13 @@
"Current Items": "当前项目"
},
"Current Period": {
"Current Period": ""
"Current Period": "当前时间"
},
"Current Status": {
"Current Status": ""
"Current Status": "当前状态"
},
"Current Temp": {
"Current Temp": ""
"Current Temp": "当前温度"
},
"Current Weather": {
"Current Weather": "当前天气"
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMS 不是最新版本"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": "DMS shell 操作(启动器、剪贴板等)"
},
@@ -837,7 +888,7 @@
"Day Temperature": "日间色温"
},
"Daytime": {
"Daytime": ""
"Daytime": "日期"
},
"Deck": {
"Deck": "Deck"
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "禁用自动连接"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "已关闭"
},
@@ -942,7 +1005,7 @@
"Display settings for ": "显示设置 "
},
"Display the power system menu": {
"Display the power system menu": ""
"Display the power system menu": "显示电源菜单"
},
"Display volume and brightness percentage values in OSD popups": {
"Display volume and brightness percentage values in OSD popups": "在 OSD 弹出窗口中显示音量和亮度百分比值"
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "启用 loginctl 锁定集成"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "已开启"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "无法连接至 "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": "创建打印机失败"
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": "加载 VPN 配置失败"
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": "移动任务失败"
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "无法恢复打印机"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": "保存按键绑定失败"
},
@@ -1263,7 +1353,7 @@
"Focused Window": "当前窗口"
},
"Follow focus": {
"Follow focus": ""
"Follow focus": "跟随焦点"
},
"Font Family": {
"Font Family": "字体"
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "高保真配色,保留原始色调。"
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": "按住持续时间"
},
@@ -1398,7 +1491,7 @@
"Hold to Confirm Power Actions": "按住以确认电源操作"
},
"Hold to confirm (%1 ms)": {
"Hold to confirm (%1 ms)": ""
"Hold to confirm (%1 ms)": "按住以确认 (%1 ms)"
},
"Hold to confirm (%1s)": {
"Hold to confirm (%1s)": "按住以确认 (%1s)"
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "不支持待机监控 - 请使用新版 Quickshell"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "图像"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": "导入"
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "锁屏格式"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "挂起前锁屏"
},
@@ -1682,11 +1787,26 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Matugen 目标显示器"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "应用显示上限"
},
"Maximize Detection": {
"Maximize Detection": ""
"Maximize Detection": "最大化检测"
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "媒体"
@@ -1836,7 +1956,7 @@
"New York, NY": "纽约,美国纽约州"
},
"Next Transition": {
"Next Transition": ""
"Next Transition": "下一过渡"
},
"Night": {
"Night": "夜晚"
@@ -1866,7 +1986,7 @@
"No Bluetooth adapter found": "未找到蓝牙适配器"
},
"No GPU detected": {
"No GPU detected": ""
"No GPU detected": "未检测到显卡"
},
"No Media": {
"No Media": "当前无播放内容"
@@ -2016,7 +2136,7 @@
"Optional location": "可选位置"
},
"Options": {
"Options": ""
"Options": "选项"
},
"Other": {
"Other": "其他"
@@ -2148,7 +2268,7 @@
"Plugins:": "插件:"
},
"Pointer": {
"Pointer": ""
"Pointer": "指示器"
},
"Popup Position": {
"Popup Position": "弹出位置"
@@ -2166,7 +2286,7 @@
"Possible Override Conflicts": "可能的覆盖冲突"
},
"Power": {
"Power": ""
"Power": "电源"
},
"Power & Security": {
"Power & Security": "电源与安全"
@@ -2316,7 +2436,7 @@
"Remove": "移除"
},
"Remove gaps and border when windows are maximized": {
"Remove gaps and border when windows are maximized": ""
"Remove gaps and border when windows are maximized": "当窗口最大化时移除间距和边框"
},
"Report": {
"Report": "报告"
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "点击 bar 上小部件以轮换"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "运行用户模板"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: 清空 • Esc: 关闭"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": "短"
},
@@ -2585,11 +2711,14 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "显示所有 9 个标签,而非仅占用的标签(仅限 DWL"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "在对话框后显示暗色遮罩"
},
"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.": "在Niri概览中打字时显示启动器叠加层。禁用该项以使用其他启动器。"
},
"Show on Last Display": {
"Show on Last Display": "上一个显示器"
@@ -2610,7 +2739,7 @@
"Show on-screen display when caps lock state changes": "当大小写状态变化时显示OSD"
},
"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": "当循环切换音频输出设备时显示OSD"
},
"Show on-screen display when idle inhibitor state changes": {
"Show on-screen display when idle inhibitor state changes": "当空闲抑制状态改变时显示OSD"
@@ -2760,7 +2889,7 @@
"Switch User": "切换用户"
},
"Switch to power profile": {
"Switch to power profile": ""
"Switch to power profile": "切换至电源配置"
},
"Sync Mode with Portal": {
"Sync Mode with Portal": "同步系统深色模式"
@@ -2811,7 +2940,7 @@
"System update custom command": "自定义系统更新命令"
},
"Tab": {
"Tab": ""
"Tab": "标签"
},
"Tab/Shift+Tab: Nav • ←→↑↓: Grid Nav • Enter/Space: Select": {
"Tab/Shift+Tab: Nav • ←→↑↓: Grid Nav • Enter/Space: Select": "Tab/Shift+Tab: 导航 • ←→↑↓: 网格导航 • 回车/空格: 选中"
@@ -2847,7 +2976,7 @@
"Theme Color": "主题色"
},
"Thickness": {
"Thickness": ""
"Thickness": "厚度"
},
"Third-Party Plugin Warning": {
"Third-Party Plugin Warning": "外部插件警示"
@@ -3108,7 +3237,7 @@
"Wallpapers": "壁纸"
},
"Warm color temperature to apply": {
"Warm color temperature to apply": ""
"Warm color temperature to apply": "温暖色温以应用"
},
"Warning": {
"Warning": "警告"
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "选择壁纸"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": "dms/binds.kdl 存在,但未包含在 config.kdl 中。除非修复此问题,否则自定义键绑定将无法工作。"
},
@@ -3243,7 +3375,7 @@
"files": "文件"
},
"leave empty for default": {
"leave empty for default": ""
"leave empty for default": "留空使用默认"
},
"loginctl not available - lock integration requires DMS socket connection": {
"loginctl not available - lock integration requires DMS socket connection": "loginctl 不可用 - 启用锁定集成需连接 DMS socket"
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": "分钟"
},
"ms": {
"ms": ""
},
"official": {
"official": "官方"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": "外部壁纸管理"
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• 仅从可信来源安装"
},

View File

@@ -32,6 +32,9 @@
"0 = square corners": {
"0 = square corners": ""
},
"1 day": {
"1 day": ""
},
"1 event": {
"1 event": "1 個活動"
},
@@ -47,6 +50,9 @@
"10 seconds": {
"10 seconds": ""
},
"14 days": {
"14 days": ""
},
"15 seconds": {
"15 seconds": ""
},
@@ -59,9 +65,15 @@
"24-hour format": {
"24-hour format": "24 小時制"
},
"3 days": {
"3 days": ""
},
"3 seconds": {
"3 seconds": ""
},
"30 days": {
"30 days": ""
},
"30 seconds": {
"30 seconds": ""
},
@@ -74,9 +86,15 @@
"5 seconds": {
"5 seconds": ""
},
"7 days": {
"7 days": ""
},
"8 seconds": {
"8 seconds": ""
},
"90 days": {
"90 days": ""
},
"A file with this name already exists. Do you want to overwrite it?": {
"A file with this name already exists. Do you want to overwrite it?": "檔案名稱已存在。是否要覆蓋它?"
},
@@ -149,6 +167,9 @@
"Adjust the number of columns in grid view mode.": {
"Adjust the number of columns in grid view mode.": "調整網格檢視模式中的欄數。"
},
"Advanced": {
"Advanced": ""
},
"Afternoon": {
"Afternoon": ""
},
@@ -230,6 +251,9 @@
"Audio Output Switch": {
"Audio Output Switch": ""
},
"Audio Visualizer": {
"Audio Visualizer": ""
},
"Auth": {
"Auth": "認證"
},
@@ -266,6 +290,9 @@
"Auto Popup Gaps": {
"Auto Popup Gaps": "自動調整彈出間隔"
},
"Auto-Clear After": {
"Auto-Clear After": ""
},
"Auto-close Niri overview when launching apps.": {
"Auto-close Niri overview when launching apps.": ""
},
@@ -299,6 +326,9 @@
"Automatically cycle through wallpapers in the same folder": {
"Automatically cycle through wallpapers in the same folder": "自動輪替更換同一資料夾中的桌布"
},
"Automatically delete entries older than this": {
"Automatically delete entries older than this": ""
},
"Automatically detect location based on IP address": {
"Automatically detect location based on IP address": "根據IP位址自動偵測位置"
},
@@ -524,6 +554,12 @@
"Clear All Jobs": {
"Clear All Jobs": "清除所有工作"
},
"Clear all history when server starts": {
"Clear all history when server starts": ""
},
"Clear at Startup": {
"Clear at Startup": ""
},
"Click Import to add a .ovpn or .conf": {
"Click Import to add a .ovpn or .conf": "點擊匯入以新增 .ovpn 或 .conf"
},
@@ -533,12 +569,21 @@
"Click to capture": {
"Click to capture": ""
},
"Clipboard": {
"Clipboard": ""
},
"Clipboard History": {
"Clipboard History": "剪貼簿歷史"
},
"Clipboard Manager": {
"Clipboard Manager": "剪貼簿管理"
},
"Clipboard service not available": {
"Clipboard service not available": ""
},
"Clipboard works but nothing saved to disk": {
"Clipboard works but nothing saved to disk": ""
},
"Clock": {
"Clock": "時鐘"
},
@@ -677,6 +722,9 @@
"Controls opacity of the DankBar panel background": {
"Controls opacity of the DankBar panel background": "控制 DankBar 面板背景的不透明度"
},
"Cooldown": {
"Cooldown": ""
},
"Copied to clipboard": {
"Copied to clipboard": "複製到剪貼簿"
},
@@ -785,6 +833,9 @@
"DMS out of date": {
"DMS out of date": "DMS 已過期"
},
"DMS service is not connected. Clipboard settings are unavailable.": {
"DMS service is not connected. Clipboard settings are unavailable.": ""
},
"DMS shell actions (launcher, clipboard, etc.)": {
"DMS shell actions (launcher, clipboard, etc.)": ""
},
@@ -887,6 +938,18 @@
"Disable Autoconnect": {
"Disable Autoconnect": "關閉自動連線"
},
"Disable Clipboard Manager": {
"Disable Clipboard Manager": ""
},
"Disable Clipboard Ownership": {
"Disable Clipboard Ownership": ""
},
"Disable History Persistence": {
"Disable History Persistence": ""
},
"Disable clipboard manager entirely (requires restart)": {
"Disable clipboard manager entirely (requires restart)": ""
},
"Disabled": {
"Disabled": "已停用"
},
@@ -1055,6 +1118,24 @@
"Enable loginctl lock integration": {
"Enable loginctl lock integration": "啟用 loginctl 鎖定整合"
},
"Enable password field display on the lock screen window": {
"Show Password Field": ""
},
"Enable power action icon on the lock screen window": {
"Show Power Actions": ""
},
"Enable profile image display on the lock screen window": {
"Show Profile Image": ""
},
"Enable system date display on the lock screen window": {
"Show System Date": ""
},
"Enable system status icons on the lock screen window": {
"Show System Icons": ""
},
"Enable system time display on the lock screen window": {
"Show System Time": ""
},
"Enabled": {
"Enabled": "已啟用"
},
@@ -1136,6 +1217,9 @@
"Failed to connect to ": {
"Failed to connect to ": "無法連線到 "
},
"Failed to copy entry": {
"Failed to copy entry": ""
},
"Failed to create printer": {
"Failed to create printer": "無法建立印表機"
},
@@ -1175,6 +1259,9 @@
"Failed to load VPN config": {
"Failed to load VPN config": "載入 VPN 設定失敗"
},
"Failed to load clipboard configuration.": {
"Failed to load clipboard configuration.": ""
},
"Failed to move job": {
"Failed to move job": "無法移動工作"
},
@@ -1199,6 +1286,9 @@
"Failed to resume printer": {
"Failed to resume printer": "印表機恢復失敗"
},
"Failed to save clipboard setting": {
"Failed to save clipboard setting": ""
},
"Failed to save keybind": {
"Failed to save keybind": ""
},
@@ -1388,6 +1478,9 @@
"High-fidelity palette that preserves source hues.": {
"High-fidelity palette that preserves source hues.": "保留來源色調的高保真調色板。"
},
"History Settings": {
"History Settings": ""
},
"Hold Duration": {
"Hold Duration": "按住持續時間"
},
@@ -1451,9 +1544,15 @@
"Idle monitoring not supported - requires newer Quickshell version": {
"Idle monitoring not supported - requires newer Quickshell version": "不支援閒置監控 - 需要最新的 Quickshell 版本"
},
"If the field is hidden, it will appear as soon as a key is pressed.": {
"If the field is hidden, it will appear as soon as a key is pressed.": ""
},
"Image": {
"Image": "圖片"
},
"Image copied to clipboard": {
"Image copied to clipboard": ""
},
"Import": {
"Import": "匯入"
},
@@ -1616,6 +1715,12 @@
"Lock Screen Format": {
"Lock Screen Format": "鎖定螢幕格式"
},
"Lock Screen behaviour": {
"Lock Screen behaviour": ""
},
"Lock Screen layout": {
"Lock Screen layout": ""
},
"Lock before suspend": {
"Lock before suspend": "鎖定後暫停"
},
@@ -1682,12 +1787,27 @@
"Matugen Target Monitor": {
"Matugen Target Monitor": "Matugen 目標監視器"
},
"Matugen Templates": {
"Matugen Templates": ""
},
"Max apps to show": {
"Max apps to show": "最多顯示App"
},
"Maximize Detection": {
"Maximize Detection": ""
},
"Maximum Entry Size": {
"Maximum Entry Size": ""
},
"Maximum History": {
"Maximum History": ""
},
"Maximum number of clipboard entries to keep": {
"Maximum number of clipboard entries to keep": ""
},
"Maximum size per clipboard entry": {
"Maximum size per clipboard entry": ""
},
"Media": {
"Media": "媒體播放器"
},
@@ -2366,6 +2486,9 @@
"Right-click bar widget to cycle": {
"Right-click bar widget to cycle": "右鍵點擊條形部件以循環"
},
"Run DMS Templates": {
"Run DMS Templates": ""
},
"Run User Templates": {
"Run User Templates": "執行使用者模板"
},
@@ -2531,6 +2654,9 @@
"Shift+Del: Clear All • Esc: Close": {
"Shift+Del: Clear All • Esc: Close": "Shift+Del: 清除所有 • Esc: 關閉"
},
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": {
"Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close": ""
},
"Short": {
"Short": ""
},
@@ -2585,6 +2711,9 @@
"Show all 9 tags instead of only occupied tags (DWL only)": {
"Show all 9 tags instead of only occupied tags (DWL only)": "顯示所有 9 個標籤,而非僅顯示已佔用的標籤 (僅限 DWL)"
},
"Show cava audio visualizer in media widget": {
"Show cava audio visualizer in media widget": ""
},
"Show darkened overlay behind modal dialogs": {
"Show darkened overlay behind modal dialogs": "在模態對話框後顯示暗化覆蓋層"
},
@@ -3221,6 +3350,9 @@
"dark mode wallpaper file browser title | light mode wallpaper file browser title | wallpaper file browser title": {
"Select Wallpaper": "選擇桌布"
},
"days": {
"days": ""
},
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": {
"dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.": ""
},
@@ -3251,6 +3383,9 @@
"minutes": {
"minutes": ""
},
"ms": {
"ms": ""
},
"official": {
"official": "官方"
},
@@ -3281,6 +3416,9 @@
"wallpaper settings external management": {
"External Wallpaper Management": ""
},
"wtype not available - install wtype for paste support": {
"wtype not available - install wtype for paste support": ""
},
"• Install only from trusted sources": {
"• Install only from trusted sources": "• 僅從受信任的來源安裝"
},

View File

@@ -76,6 +76,13 @@
"reference": "",
"comment": ""
},
{
"term": "1 day",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "1 event",
"translation": "",
@@ -111,6 +118,13 @@
"reference": "",
"comment": ""
},
{
"term": "14 days",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "15 seconds",
"translation": "",
@@ -139,6 +153,13 @@
"reference": "",
"comment": ""
},
{
"term": "3 days",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "3 seconds",
"translation": "",
@@ -146,6 +167,13 @@
"reference": "",
"comment": ""
},
{
"term": "30 days",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "30 seconds",
"translation": "",
@@ -174,6 +202,13 @@
"reference": "",
"comment": ""
},
{
"term": "7 days",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "8 seconds",
"translation": "",
@@ -181,6 +216,13 @@
"reference": "",
"comment": ""
},
{
"term": "90 days",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "A file with this name already exists. Do you want to overwrite it?",
"translation": "",
@@ -349,6 +391,13 @@
"reference": "",
"comment": ""
},
{
"term": "Advanced",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Afternoon",
"translation": "",
@@ -538,6 +587,13 @@
"reference": "",
"comment": ""
},
{
"term": "Audio Visualizer",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Auth",
"translation": "",
@@ -622,6 +678,13 @@
"reference": "",
"comment": ""
},
{
"term": "Auto-Clear After",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Auto-close Niri overview when launching apps.",
"translation": "",
@@ -692,6 +755,13 @@
"reference": "",
"comment": ""
},
{
"term": "Automatically delete entries older than this",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Automatically detect location based on IP address",
"translation": "",
@@ -1189,6 +1259,20 @@
"reference": "",
"comment": ""
},
{
"term": "Clear all history when server starts",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Clear at Startup",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Click Import to add a .ovpn or .conf",
"translation": "",
@@ -1210,6 +1294,13 @@
"reference": "",
"comment": ""
},
{
"term": "Clipboard",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Clipboard History",
"translation": "",
@@ -1224,6 +1315,20 @@
"reference": "",
"comment": ""
},
{
"term": "Clipboard service not available",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Clipboard works but nothing saved to disk",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Clock",
"translation": "",
@@ -1476,6 +1581,13 @@
"reference": "",
"comment": ""
},
{
"term": "Cooldown",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Copied to clipboard",
"translation": "",
@@ -1728,6 +1840,13 @@
"reference": "",
"comment": ""
},
{
"term": "DMS service is not connected. Clipboard settings are unavailable.",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "DMS shell actions (launcher, clipboard, etc.)",
"translation": "",
@@ -1966,6 +2085,34 @@
"reference": "",
"comment": ""
},
{
"term": "Disable Clipboard Manager",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Disable Clipboard Ownership",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Disable History Persistence",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Disable clipboard manager entirely (requires restart)",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Disabled",
"translation": "",
@@ -2526,6 +2673,13 @@
"reference": "",
"comment": ""
},
{
"term": "Failed to copy entry",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Failed to create printer",
"translation": "",
@@ -2617,6 +2771,13 @@
"reference": "",
"comment": ""
},
{
"term": "Failed to load clipboard configuration.",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Failed to move job",
"translation": "",
@@ -2673,6 +2834,13 @@
"reference": "",
"comment": ""
},
{
"term": "Failed to save clipboard setting",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Failed to save keybind",
"translation": "",
@@ -3087,14 +3255,14 @@
"comment": ""
},
{
"term": "High-contrast palette for strong visual distinction.",
"term": "High-fidelity palette that preserves source hues.",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "High-fidelity palette that preserves source hues.",
"term": "History Settings",
"translation": "",
"context": "",
"reference": "",
@@ -3233,6 +3401,13 @@
"reference": "",
"comment": ""
},
{
"term": "If the field is hidden, it will appear as soon as a key is pressed.",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Image",
"translation": "",
@@ -3240,6 +3415,13 @@
"reference": "",
"comment": ""
},
{
"term": "Image copied to clipboard",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Import",
"translation": "",
@@ -3611,6 +3793,20 @@
"reference": "",
"comment": ""
},
{
"term": "Lock Screen behaviour",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Lock Screen layout",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Lock before suspend",
"translation": "",
@@ -3758,6 +3954,13 @@
"reference": "",
"comment": ""
},
{
"term": "Matugen Templates",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Max apps to show",
"translation": "",
@@ -3772,6 +3975,34 @@
"reference": "",
"comment": ""
},
{
"term": "Maximum Entry Size",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Maximum History",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Maximum number of clipboard entries to keep",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Maximum size per clipboard entry",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Media",
"translation": "",
@@ -5270,6 +5501,20 @@
"reference": "",
"comment": ""
},
{
"term": "Run DMS Templates",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Run User Templates",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Run a program (e.g., firefox, kitty)",
"translation": "",
@@ -5676,6 +5921,13 @@
"reference": "",
"comment": ""
},
{
"term": "Shift+Enter: Paste • Shift+Del: Clear All • Esc: Close",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Short",
"translation": "",
@@ -5739,10 +5991,17 @@
"reference": "",
"comment": ""
},
{
"term": "Show Password Field",
"translation": "",
"context": "Enable password field display on the lock screen window",
"reference": "",
"comment": ""
},
{
"term": "Show Power Actions",
"translation": "",
"context": "",
"context": "Enable power action icon on the lock screen window",
"reference": "",
"comment": ""
},
@@ -5753,6 +6012,13 @@
"reference": "",
"comment": ""
},
{
"term": "Show Profile Image",
"translation": "",
"context": "Enable profile image display on the lock screen window",
"reference": "",
"comment": ""
},
{
"term": "Show Reboot",
"translation": "",
@@ -5781,6 +6047,27 @@
"reference": "",
"comment": ""
},
{
"term": "Show System Date",
"translation": "",
"context": "Enable system date display on the lock screen window",
"reference": "",
"comment": ""
},
{
"term": "Show System Icons",
"translation": "",
"context": "Enable system status icons on the lock screen window",
"reference": "",
"comment": ""
},
{
"term": "Show System Time",
"translation": "",
"context": "Enable system time display on the lock screen window",
"reference": "",
"comment": ""
},
{
"term": "Show Workspace Apps",
"translation": "",
@@ -5795,6 +6082,13 @@
"reference": "",
"comment": ""
},
{
"term": "Show cava audio visualizer in media widget",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Show darkened overlay behind modal dialogs",
"translation": "",
@@ -5914,13 +6208,6 @@
"reference": "",
"comment": ""
},
{
"term": "Show power, restart, and logout buttons on the lock screen",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "Show weather information in top bar and control center",
"translation": "",
@@ -7230,6 +7517,13 @@
"reference": "",
"comment": ""
},
{
"term": "days",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "dms/binds.kdl exists but is not included in config.kdl. Custom keybinds will not work until this is fixed.",
"translation": "",
@@ -7293,6 +7587,13 @@
"reference": "",
"comment": ""
},
{
"term": "ms",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "official",
"translation": "",
@@ -7314,6 +7615,13 @@
"reference": "",
"comment": ""
},
{
"term": "wtype not available - install wtype for paste support",
"translation": "",
"context": "",
"reference": "",
"comment": ""
},
{
"term": "• Install only from trusted sources",
"translation": "",