diff -Nru syncthing-1.18.6~ds1/AUTHORS syncthing-1.19.2~ds1/AUTHORS --- syncthing-1.18.6~ds1/AUTHORS 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/AUTHORS 2022-04-05 03:32:50.000000000 +0000 @@ -27,6 +27,7 @@ Anderson Mesquita (andersonvom) andresvia Andrew Dunham (andrew-d) +Andrew Meyer Andrew Rabert (nvllsvm) <6550543+nvllsvm@users.noreply.github.com> Andrey D (scienmind) André Colomb (acolomb) @@ -76,6 +77,7 @@ Cyprien Devillez Dale Visser Dan +Daniel Barczyk <46358936+DanielBarczyk@users.noreply.github.com> Daniel Bergmann (brgmnn) Daniel Harte (norgeous) Daniel Martí (mvdan) @@ -103,7 +105,7 @@ Felix Unterpaintner (bigbear2nd) Francois-Xavier Gsell (zukoo) Frank Isemann (fti7) -Gahl Saraf +Gahl Saraf georgespatton ghjklw Gilli Sigurdsson (gillisig) @@ -117,6 +119,7 @@ Hugo Locurcio Iain Barnett Ian Johnson (anonymouse64) +ignacy123 Ikko Ashimine Ilya Brin <464157+ilyabrin@users.noreply.github.com> Iskander Sharipov (Alex) @@ -150,6 +153,7 @@ Jędrzej Kula Kalle Laine Karol Różycki (krozycki) +Kebin Liu Keith Turner Kelong Cong (kc1212) Ken'ichi Kamada (kamadak) @@ -239,6 +243,7 @@ Ross Smith II (rasa) rubenbe Ruslan Yevdokymov <38809160+ruslanye@users.noreply.github.com> +Ryan Qian Ryan Sullivan (KayoticSully) Sacheendra Talluri (sacheendra) Scott Klupfel (kluppy) @@ -251,6 +256,8 @@ Stefan Tatschner (rumpelsepp) Steven Eckhoff Suhas Gundimeda (snugghash) +Syncthing Automation +Syncthing Release Automation Taylor Khan (nelsonkhan) Thomas Hipp Tim Abell (timabell) @@ -268,6 +275,7 @@ Veeti Paananen (veeti) Victor Buinsky (buinsky) Vil Brekin (Vilbrekin) +villekalliomaki <53118179+villekalliomaki@users.noreply.github.com> Vladimir Rusinov wangguoliang William A. Kennington III (wkennington) diff -Nru syncthing-1.18.6~ds1/build.go syncthing-1.19.2~ds1/build.go --- syncthing-1.18.6~ds1/build.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/build.go 2022-04-05 03:32:50.000000000 +0000 @@ -47,6 +47,7 @@ cc string run string benchRun string + buildOut string debugBinary bool coverage bool long bool @@ -374,6 +375,7 @@ flag.StringVar(&run, "run", "", "Specify which tests to run") flag.StringVar(&benchRun, "bench", "", "Specify which benchmarks to run") flag.BoolVar(&withNextGenGUI, "with-next-gen-gui", withNextGenGUI, "Also build 'newgui'") + flag.StringVar(&buildOut, "build-out", "", "Set the '-o' value for 'go build'") flag.Parse() } @@ -506,6 +508,9 @@ } args := []string{"build", "-v"} + if buildOut != "" { + args = append(args, "-o", buildOut) + } args = appendParameters(args, tags, target.buildPkgs...) runPrint(goCmd, args...) } diff -Nru syncthing-1.18.6~ds1/cmd/stdiscosrv/apisrv.go syncthing-1.19.2~ds1/cmd/stdiscosrv/apisrv.go --- syncthing-1.18.6~ds1/cmd/stdiscosrv/apisrv.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/stdiscosrv/apisrv.go 2022-04-05 03:32:50.000000000 +0000 @@ -10,8 +10,10 @@ "bytes" "context" "crypto/tls" + "encoding/base64" "encoding/json" "encoding/pem" + "errors" "fmt" "log" "math/rand" @@ -229,10 +231,10 @@ func (s *apiSrv) handlePOST(ctx context.Context, remoteAddr *net.TCPAddr, w http.ResponseWriter, req *http.Request) { reqID := ctx.Value(idKey).(requestID) - rawCert := certificateBytes(req) - if rawCert == nil { + rawCert, err := certificateBytes(req) + if err != nil { if debug { - log.Println(reqID, "no certificates") + log.Println(reqID, "no certificates:", err) } announceRequestsTotal.WithLabelValues("no_certificate").Inc() w.Header().Set("Retry-After", errorRetryAfterString()) @@ -304,9 +306,9 @@ w.WriteHeader(204) } -func certificateBytes(req *http.Request) []byte { +func certificateBytes(req *http.Request) ([]byte, error) { if req.TLS != nil && len(req.TLS.PeerCertificates) > 0 { - return req.TLS.PeerCertificates[0].Raw + return req.TLS.PeerCertificates[0].Raw, nil } var bs []byte @@ -319,7 +321,7 @@ hdr, err := url.QueryUnescape(hdr) if err != nil { // Decoding failed - return nil + return nil, err } bs = []byte(hdr) @@ -338,6 +340,15 @@ } } } + } else if hdr := req.Header.Get("X-Tls-Client-Cert-Der-Base64"); hdr != "" { + // Caddy {tls_client_certificate_der_base64} + hdr, err := base64.StdEncoding.DecodeString(hdr) + if err != nil { + // Decoding failed + return nil, err + } + + bs = pem.EncodeToMemory(&pem.Block{Type: "CERTIFICATE", Bytes: hdr}) } else if hdr := req.Header.Get("X-Forwarded-Tls-Client-Cert"); hdr != "" { // Traefik 2 passtlsclientcert // The certificate is in PEM format with url encoding but without newlines @@ -346,7 +357,7 @@ hdr, err := url.QueryUnescape(hdr) if err != nil { // Decoding failed - return nil + return nil, err } for i := 64; i < len(hdr); i += 65 { @@ -359,16 +370,16 @@ } if bs == nil { - return nil + return nil, errors.New("empty certificate header") } block, _ := pem.Decode(bs) if block == nil { // Decoding failed - return nil + return nil, errors.New("certificate decode result is empty") } - return block.Bytes + return block.Bytes, nil } // fixupAddresses checks the list of addresses, removing invalid ones and diff -Nru syncthing-1.18.6~ds1/cmd/stdiscosrv/main.go syncthing-1.19.2~ds1/cmd/stdiscosrv/main.go --- syncthing-1.18.6~ds1/cmd/stdiscosrv/main.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/stdiscosrv/main.go 2022-04-05 03:32:50.000000000 +0000 @@ -116,8 +116,11 @@ var replicationDestinations []string parts := strings.Split(replicationPeers, ",") for _, part := range parts { - fields := strings.Split(part, "@") + if part == "" { + continue + } + fields := strings.Split(part, "@") switch len(fields) { case 2: // This is an id@address specification. Grab the address for the @@ -137,6 +140,9 @@ if err != nil { log.Fatalln("Parsing device ID:", err) } + if id == protocol.EmptyDeviceID { + log.Fatalf("Missing device ID for peer in %q", part) + } allowedReplicationPeers = append(allowedReplicationPeers, id) default: diff -Nru syncthing-1.18.6~ds1/cmd/strelaypoolsrv/auto/gui.files.go syncthing-1.19.2~ds1/cmd/strelaypoolsrv/auto/gui.files.go --- syncthing-1.18.6~ds1/cmd/strelaypoolsrv/auto/gui.files.go 2022-01-11 06:33:28.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/strelaypoolsrv/auto/gui.files.go 2022-04-05 03:32:54.000000000 +0000 @@ -10,7 +10,7 @@ func Assets() map[string]assets.Asset { var ret = make(map[string]assets.Asset, 1) - t := time.Unix(1640866021, 0) + t := time.Unix(1647834467, 0) ret["index.html"] = assets.Asset{ Content: "\x1f\x8b\b\x00\x00\x00\x00\x00\x02\xff\xd4<\xebr\xdb6\x97\xff\xfd\x14'l\xb6\x94\x1a\x89\xa4\xec\xd8M\x14\xc9\xdf&Υi\x9d\xd6m\x9c|ݪ\xde\x19\x88\x84D\xd8 \xc0\x02\xa0e%\xd1\xcc>\xcd>\xd8>\xc9\x0e\xc0\x8b@\x89\xf2\xadn2\xc9td\x12\xc0\xb9\x03\a\a\a\x87\x1d\xdc{\xfe\xcb\xc1\xf1\u007f\x1d\xbd\x80X%t\u007fkk\xa0\xff\x02El:t0s\x80M\xbb(M\x87\x8e\x9c\xb3PńMMSș\x12\x9cR,\x86\x8e\xc0\x14͟#\x85\x0e\xaaFg\u007f\v`\x10c\x14\xe9\a\x80A\x82\x15\x820FBb5t25\xe9>r|\xbb/V*\xed\xe2\xbf2r>t~\xef\xbe{\xda=\xe0I\x8a\x14\x19S쀦\x86\x99\x1a:\xaf_\fq4\xc5uP\x86\x12J\x11E\xf1\xfeoZ9 \x15Rr\xe0\xe7My7%\xec\f\x04\xa6CG\xaa9\xc52\xc6X9\x10\v<\x19:Z\x19\xb2\xef\xfb\x99\xc4ބ3\x85fX\xf2\x04{!O|\x81)F\x12K\xff|\xd7\v\xbcގ\x1fJ\xe9#J\xbdPʊC\x83\xbc\x8e+A\x17aļ1\xe7J*\x81R\xfd\xa2\xf1U\r\xfe\x8e\xb7\xe3\xed\x1atU\x9b\x97\x10f\x10\xafq\xea\u007f61\xaeB\xceҳ\xa9AI1\x9aP\xac\xfe\xb3\xe7\xedy\x81\x1f\x11\xa9\xca&\x83t\v\x800\x85\xa7\x82\xa8\xf9Б1\xda\xedmw/f/\xfc\xa7\x1f\x1e\u007f\x10\xa7\xcf^\xa7\xf1\xd3\xf0\xd9x\xe7\xe5ޏ\xef\xff\xba\x98<\xdc{p\xf0\xfcp69|\xf3\x03\xe5?g{?\xbd\xf8\xf5\xe0\xe9\xbf\xc9\xde\x0f\xe1\xf3wc\xfc\xcb\xe4\xd9\xebT\xbd\xfc^\x85\a\x1f2\xf9\xd3\xcbӗ\xb3\xedyv\xfe\"}~\xf8x\xf6\xebp\xa8\xa9\x85\x82K\xc9\x05\x99\x12VN\x9eA>\xaf@\x8a\xf0\x86\x12\x9cn\x10`\xfa\xc7\xec\xf5\xab\xc7\x17;\xb3w\xbfO\xb7\xe3\xe8\xf7\x97{\x0f\xc4\xfb\xb3×~\xf0\x9e<~\xf7\xe8\xf9\xf6\xcfj\xfa\xf0\x15\xda}\xbd\xfb\xec\x8f\xf4\xfd\xd9\xfb\v\xfa\xe3\xbf\xc7o\u007fU\xbf\x1f\xbd%\xef\x8e\xd5Ap|\xaa^\xfd\x92\\\xa0\xde\xd3\x1f\x8f\xb2\xf7\xc1\xc1\x91\x8a\xf1\xacI\x80\xfd\x81\x9fs_Npc\x93\xdcR\x00\xdf$(\x85\x8f\xc5\v@\x8c\xc94V}\xd8\v\x82\xf4\xe2IѼ(\xfezځP\x8e\xce,\x80\x88Ȕ\xa2y\x1f\x18gx\x15@\xa11\xc5\xd6`=\x99\xba\x92|\xc0}\xe8\xf5\xd2\v\xb8G\x12\xbd\xf4\x11SO\xaa1f\xbd\xf7\xa1\x17\x04\xff\xb1l\x1cs\x11aч\x9efj\x95HdQHQ\x14\x116\xedCЈ\xbe\x82\x99p\xaeꐆ\xb7Y!\xfe\x98Ө\x0e3\xf0+\xb5\r\xfc\xdcA\xea\xc71\x8f\xe6\x10R$\xe5\xd0)\xb5\xe3\x14\xab \"\xe7e\x97v3\x88\xb0\xc2\xc1\x9a\u07b8W\xf8\x98#\xce)h7<\xf0\xe3^խ\x81ٴK&\x85\x9f\x960\x1c\x0e!c\x11\x9e\x10\x86#\xa7Ĭ\xf0\x85ꆘ)\v7\xc0\x80$\xd3\xfad\r#v*\xbd\x90\xf2,\x9aP$\xf2ŌNхO\xc9X\xfaS\xa4\xdd?\x99LH\xe8o\xeb\x85m\xd65\xe5(\xc2\u009b\x92\x89\x03\x88Z\xae\xd4\xd0H\xf7\x8f\x8c/\x80\x19\"\nf1\xa1\x18f\x18\xa6H\xc5X@\x84\x14\xfa\xbf\xff\xf9߁\x9fV2\xf9\x119\xb7\x05\xb4p\x15\xe2ʘ\xcf*\x81\xef5\n̦ݘD\xd8\x12ְb\xbd\x01\x1c\xc7\x18\n$\x94H\x85#\xe0\fTL$\xa4h\x8a\x01\t\f\x8c+H\x10CS\xdd)\xe0\x1c+=l<\a\x15cx[\ue650\n~\x8aC\xe5\xd5п@a\x9c\xe3\a\"\r\x80\xc02\xe5L\x921\xa1D́O\x8aV=\x84\xa7X \xc5E\x1d\xc7A&\x04f\x8a\xce\xe1\xe3ǂW\x8fb6U1,\x16%\xf3\x9aQ\xce(a\xd8\x06\xb6T\xba\xa2\xd4B\x91$\x1a:\tJ\xf5\xcaם0\xb8\xd7\xed\xc2\x01b\xae\x02\xad:\xc3[\x82\xd2\x0epm\xa9\x19\x91\x18\x88\x82\x89\xc0\xe8L\x02\xcf\x14t\xbb53ku\x86D\x84\x14\x83^\xbc p*\xb0\xc4LI\x88\xf9\f\x92,\x8ca\xc1\x9f\xee\x9f\xee\xcd\xedwT\xe0\x81\xf1\xfcV滒\xa3ϵ\xa8\xaf\xc5\xc8?oみ\x1a05GP76\xfd\xd98\x95\xbd@\xf6\x92ݤ\xb7\x9b\xec\x04\xc9^\x90\x8c\x82\x93\x9b[\xbc\x17\xdcn\xa1nb\xe0s\x19\xf82\xfa\x9fi\xedލ\xd1z\xb71Zrw:\xeb}a\x9b\xf5\xbeB\x9bm\xdf\xc2f\xbbwh\xb3\xed/l\xb3\xed\xaf\xd0f;\xb7Ygwi\xb4\x9d/l\xb4\x9d\xaf\xd0h\x0foa\xb4\x9d\xe0\x0e\x8d\xf6\xf0\v\x1b\xed\xe1Wh\xb4\xdd[\x18m\xef.\x8d\xb6\xfb\x85\x8d\xb6{\xf2\x85\xc2K=b%g7Pc\x1e\xcd\xd7bP-\x94\xc0)F\xaa\xc8 \xeb\xf3e\x91H\xfd\x04\xe6\x02\xe1ټ_\nܷD1\xcf\xe6\xdeR`sK\x9a\xf0Lb~^]\x92zZYo\x908â\xd5^\x8e\xa0\x18\x9d\xe3rHL\"\\\rY\x9f\x88\xd1~\x99\xe7\xf5P\x9eN\x84Ţ9\xa3\x18\x95\x89\xff{\x05qm\x16gy\xb6\xee\xf5\xb4\x8e/\x81\xecJ\x85\x84\xaax7\xe0K\xf2\x1b\xd2o\x9b\xd9i\x00\xb5\x12Aׇ\xb3\xb3\x12\xf0\xa9\xc8\x18_\x1bzCt\f\xdfAo\xfb\x91\x85Η\u007f\aa\xef\xae\x11n\xdf5\u009d\xbbF\xf8\xf0\xae\x11\xee\xde\x00a\xed\x8e\xcbkH\x98\xc0=\xfb\x12h\x95~m\xa8\xbf\x17\xf8{\x01|\x02\x96%c,\xfa\xc1\xd5+l3\xd9\xda\xdd\xd3\xc6\xe5f\n\x03\x86\xce\nW\xe5I\xdd>\xa8\xe7\xe7tׅ\xc5\xc2)V)fѺ\x93\xbc\t\xaaO@IB\xd41\xef\xefjY\xb76\xfaz-j\xeb\xbah\xdb\xe5=\xd4>\xec\x06\xce\xfe\xb71\xa6\x94\xa4O\xd6=wt\xa5\xe7^\xf5\xd3\x03s\xefz\x8d\xecA\xb4\u007f\xcc\x15\xa2\x97MCe\x06\xdcԏ-\xa1\xae\xed\xc2\n\x90\x9b{\xaf\x02\xf0N\x1c\xd7e\xb8zw\x88k\xfb\x0eq\xed\xdc!\xae\x87w\x88k\xf7v\xb8\xae\xf45y\x8e\xf8*Ϲ~\xcd{\xad\xa54\xe1\\ط\xbe\xe6r\xb3\xf9\xda4\xae\x06\xda\xf7\xe2\xc7\xe6\xfa[\xf0(\v\x15\x10\x16\xd2,\xc2\x12^a~H\x14\xde6\xd7\xf5\x10\n\x8c\x8ak\xf07\xe8\xe2\raQ\a\xd09\"\xd4ܶN\x04_F\xb4\x03\xb4R\xcf3\x9bͼ\x04]$\x84E^\xc8\x13g\u007fC\x87\x8e\x02\xbd\xad\x95\x9b\xecB\x80\xb2@%/\xb6Q\xf3\x14\xe7\xf7\a\xfe):Gy\xab\xb3R\xd6\xc0#\xec\x9d\xfe\x95a17\x15\r\xf9cw\xdb\xeby\x0fM\x11ԩ\xb4\v`n\x8c\xfe\xf2\xaa\tĦ\x19E\xc2;\x95~\xcf\xdb\xf5\x1eU\r\u007f\x9f\xf2u˾NW\xab\xbeV\xc9\x0e\xfc\xdc\v/\xab\x98tk\xc5(\x8f2\x8a[nU%\xe8v`\xb4\x05p\xd2\xde\x02\xf0B\xce&d\xda\x1a\xb9\xf75[E&]\xb8\x1d\x98d̸\xceV\xad\xa3]\x94\xd3\xd4\x1a\xbd\bOPF\x95\xf4\xf4\xf2ᙂ!\xec\x06A\xa07\x94ENfB\xa8¢\xe5\x9a\xd5hc/\x11\n\xac2\xc1\x96\xedf`\aR\x81C\xa2\x9d~\xbb\xaa\xe3!\x13h\x11\xf93\xfa\xb9\x95\"!\xf1Kʑʇ\xb7\xdbz{\xbbG\xe4K\u0088\xc2Uc\x81\xdb\xed\xbaO,\x1c\xdaD|\xb2\xa4`\xaao\xdc*\"p\xdbv\x17\xf4\xaa\xa2\xa4s$ cDI\x18¨\x12\xc8={\xa6\u007fߘ\xdfW\xe6\xf7\xd8\xfc\x1e=sO:\xd6BϽ\t\f\xe1\rR\xb17\xa1\x9c\x8b\x96y\xa4|Zp\f>T-\xbd`\xfba\xbb]#~\x8eh\xa6\x8f\xa7\xf9\xe8rp\xcag\xad^\x10\x04\x1d\x1bqN\xac\xad\x11,\x05_*\xc8`j\xb7\xad\x12\xa9\x12w\xb0\f\x06l-\x04\xabUVu|%9\va\xa9\xa9BQ\x15<`*q\xc38\xf3w\x94#:Y\xa5V\x18\xd20\xe9)\xfe\x92\\\xe0\xa8eM\x91\a\xe0\x82\v\x0fr$9\xb0\x06]\x943\xbd(\x81m\xb9\ru\xb1zU\xb8\xf7e\xc8S\xac\xcdv_p\xae\xdeVoz\xba\x9b\x87\xbf\xccoȓ\x94м\xab\x98\xf3\xb5%c\xd0t`\x89\xa4\x93\xaf\x98\x0e\xdc\xff\xab\x03%x\aJ\xe0jY\x19@/ߎ`X\xe9ǎL\xfa\x10\x94\xf3i\xcaߠ\x8b#\xc1Ci56m\x88}\x18\x05\x1d\xa8\xfdWMʵ\xf0\xca\xc2U\x0f\xa2\xea\x1dG\x98E\x84M\v\xa8\x9f\xf0|\xb5߰k7ֶת}\xf1\xc4\x16=A)\f\xe1P\xffm\xb9\tJݶ'\xb1zO\xf0\xac5z\x18x\x8f\x83\xed\xc7{\x1d\xe8y\x8f\x83\xc7ۻ'\x1d\xd8.\xa6\xf6\xa1\xa7\bŇh\xae\xcd[z؏ra\x9a=\x9eb&\x95\xc0X%(\xf5\xb8\x98\xfa\x1f?,\xfc\x8f\x17\v\xff\xe3|\xe1\xa5\xda'\x1a,\xa5\xbe\x91R\x82\x8c3-u\x1f\xdcü\xd0\xd3-\xe5H\xd0\xc5\x1f\x9c'}\xe8}\x9fK\xd0\xd6\a\xfec\xdeZ\xca\xd0~R\xb7'\xa7\x8a\xa4\xc78I)Rz}\xddo\xb9\xdf\x106\xe1e\x93\xdb\xf6b\x95\xd0V\x1d.\x938:\xe4!\xcaC\xd8!|\xac\xeb\xeaZ\xb5F\xab\x00\xcb\xf4\x96\x12\x19^\xeb.r$0\\\xcefԁq\xdd\xfd\"\xaf\xf0\x13C\x18\xe7\x8f\xf6\x92/Vi\xa3\xaf@\x9e*RQ\x8eU\xf7\xf7\xe9\x13X\x1d,\xa3\xd4i@\xd8\xed5a\x1co\xc28\xbe\x1aco\x83\x83)\xe5\xdb/Ń\u007fA\x0f\xfa\x15\a\x8b\xad\xe5&\xe8M\xb1j9>fQ\xca\tSN\xdbS1f\xadJ{Eݠ\xa5\xa1B\xdbe\xcdgYY\x88=\x1d\xa0\x15͕\xc3/w\xf1\t\x17/P\x18\xb7j\xc0\x96\xcb1\ru\x11\xf5Y0\x13\x04\x86\x10r=\xfb\xb3P\xbd\xfb\xedu\xab\xec\xa0\xed'+\x83ˬհ\x02\xa6\x9eL)Q-\xd7wۣ퓊+\x00\x14Ey*옿AiA\xde\xeaצ\xb1\x8e\xa36g\x1b\x85\xcaݞ%\x94\xd1}\a\xce\xf0\xbc\x0e_\xdb\xc0k\xc0\xa33M\x8b\xab\x8fц)\xd0\xd9h\xfb\x93\x8em%\x93P\xed/\xb7\x98\xe5\xe1h\xd1^a\xd5\b\xa6\xa3\xa5*\x8e\xf6\xee3+I\x8c\xf2\xa0\xdd,\x1f\x8dW\xa2\x04Ä\xe7\xde5\x1fj\xc1\xa6<\xcdҊ;\r\xdb\xdd\xfe\xbe\xe4.\xcdR@\xa6o\x8dZ\xa9\x86Q\xd0\tj\xc7V-\xc6;A\xfb\xe0Z\x89\x13O\xa0ٔ(\x93\xb50BǤ\xfc*\xaa\x1br\xcaE\xb7X\xd2~\x82\xa4\xc2\xc2'\xc9\xd4ϛ\xba\x1aaW\xe0Ȋ\xbemF\xd6h]\x96\xa4)h\xfa\x81\xf7\xbd\xf7\xbdO\x124Ų\xa4\x93\xa3[\xa1\xb2\xb8r\xb2篅\x83\xa6\xb9\x83\xb6\xfcC\al\x9f\xd0\xf9\xa8\xa51\xc7\xcc\xcd\xff\xbc1aёV~\xab<\x00\xb6\x9a\xcf\a\xed\x96ink:\x1f\xaf\xc2\xcaY˭.3\xadC(\xb4pSL\xb0\xfaO\xc5D\x9a\xe3Q\xceY\xfbɥ\x10\x8b\xb6E\xafv\xe6\xbd\t\xb9\x90r\x89\xafK\xaf\xe1d\xb5b\xb9\xe5ͭ}j\xa9sc۸Y\xdce`\xb3\x82~y\xeb{M\xf4\xcd\xe2U\x01\xc6\xd6\xfa\u07bb\x1e\x98T\xd8u\xe8\xce)6\xb9\xa0\r\x8e\xb7\x9c \x87^\x1eH\xdd\xcaC/\xa5\xaeɅ\"\x92\xc9>\xb4Z\x1boy\xbf\x83^\x10\xb4\xc1\xafG\x9b\xb51\xed|P\x10\xd8\xcb\xdc\xf8\x87>8/_\xea\x1e\xc7\xee\x9a\x10J\x0f\x8a\xeeo6\xf4\xff\x92\xa2\x90\xa8y\x1f\x02og\xd7^؛\x8e\xe2\x8b\x15\xb5\xd7\xceD\xfa4T\tn\x12|\xe6\xdc\x14\xf10K0S^\x9e5\u007fA\xb1~k\xb9ȭE\xb9?<\xfd\xdd\xfe\xd0*\xe2X2W\xc1\x8c\x8b\xb32\xf3!\x88\x17\v<\x81!\xe8C\x95\xc0)E!.\xf2P}\xdfw;\xb9\xafӏ5\xd4\a\x9c\x9dc\xa1\xc0\xe4\xbcA*\xa1\xe3$\x1df\x9as\x86\x85\x1d\x89\xa9\x9d!X\x8f\xa2\xf5 \x89\x91\b㊼\xff\xdf\u007f\xfe\xcb\xef\x98\xfb\xc0\"\n\xf8\xd6m[\x01\xb6!\xba\x1eb\x99\xb10\xccy*!\x87\xf5\b\xabdid\xbaG\xc1\x89\x0eF\xf2\xe7\xde2\xad\xb7\x14\xb58xg\x82Xi\xbb\x13\x83\xb2\xf6mkC~]\x15^\xd31\x1f\xc5\xd9I\x15\xeb+M\xeb\xbad0^^1\x1b\xbbp\xa9\x98\xdeL\x17\x8b\x81?ޯ_\xa9^}\xa3\xea\xec\xa7\xcb\xf2s\x18d\xfb\u05fb\xde\xd5IJ\xb2\x8e\xc6\xfe\xb8N|\x99ǼVA\xcc\rIۗ\xcau\xba\a\x94`\xa6\x1aɮ\xdeD߄f1\x81\xbc\x94s*\x9d\xfd#\xfd\xa7\xbf\xa1\x88 \x1fT\x9e\x17\xc0mߖ\xdaȝR>F\xb4+\x90\xc2\xeeɊ\xa4[\x1b\n\x10\xae\x81h\x1f\x02g\xff\x95iʿ\x102\xf5\r\xfd\x8dE\x11u\xe8\xfau\xeej\r\xdaMy\x19\x0e70\x931\xf3\x80\xa3\x06\x1aca\u007f }c\xb5\xa6:$ͧ\xdf\x1d\xe8\xb6\x01\x9bQp1\xc1\xaf\xa5\xe1\x06\x1c\u007fW\xcd\r(s]7\xf1uKe\xaf}G\xdcXR\xb7\x846\x9f\xf9e\xac\xba\xeb\xf6\xd6>A\xae0.w\x9c\x81\x9f\xff\xafW\xfe?\x00\x00\xff\xffg \xabG\x8bE\x00\x00", diff -Nru syncthing-1.18.6~ds1/cmd/syncthing/cli/client.go syncthing-1.19.2~ds1/cmd/syncthing/cli/client.go --- syncthing-1.18.6~ds1/cmd/syncthing/cli/client.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/syncthing/cli/client.go 2022-04-05 03:32:50.000000000 +0000 @@ -10,8 +10,10 @@ "bytes" "context" "crypto/tls" + "encoding/json" "errors" "fmt" + "io" "net" "net/http" "strings" @@ -25,6 +27,7 @@ type APIClient interface { Get(url string) (*http.Response, error) Post(url, body string) (*http.Response, error) + PutJSON(url string, o interface{}) (*http.Response, error) } type apiClient struct { @@ -118,20 +121,36 @@ return resp, checkResponse(resp) } -func (c *apiClient) Get(url string) (*http.Response, error) { - request, err := http.NewRequest("GET", c.Endpoint()+"rest/"+url, nil) +func (c *apiClient) Request(url, method string, r io.Reader) (*http.Response, error) { + request, err := http.NewRequest(method, c.Endpoint()+"rest/"+url, r) if err != nil { return nil, err } return c.Do(request) } -func (c *apiClient) Post(url, body string) (*http.Response, error) { - request, err := http.NewRequest("POST", c.Endpoint()+"rest/"+url, bytes.NewBufferString(body)) +func (c *apiClient) RequestString(url, method, data string) (*http.Response, error) { + return c.Request(url, method, bytes.NewBufferString(data)) +} + +func (c *apiClient) RequestJSON(url, method string, o interface{}) (*http.Response, error) { + data, err := json.Marshal(o) if err != nil { return nil, err } - return c.Do(request) + return c.Request(url, method, bytes.NewBuffer(data)) +} + +func (c *apiClient) Get(url string) (*http.Response, error) { + return c.RequestString(url, "GET", "") +} + +func (c *apiClient) Post(url, body string) (*http.Response, error) { + return c.RequestString(url, "POST", body) +} + +func (c *apiClient) PutJSON(url string, o interface{}) (*http.Response, error) { + return c.RequestJSON(url, "PUT", o) } var errNotFound = errors.New("invalid endpoint or API call") diff -Nru syncthing-1.18.6~ds1/cmd/syncthing/cli/operations.go syncthing-1.19.2~ds1/cmd/syncthing/cli/operations.go --- syncthing-1.18.6~ds1/cmd/syncthing/cli/operations.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/syncthing/cli/operations.go 2022-04-05 03:32:50.000000000 +0000 @@ -7,8 +7,12 @@ package cli import ( + "bufio" "fmt" + "path/filepath" + "github.com/syncthing/syncthing/lib/config" + "github.com/syncthing/syncthing/lib/fs" "github.com/urfave/cli" ) @@ -38,6 +42,12 @@ ArgsUsage: "[folder id]", Action: expects(1, foldersOverride), }, + { + Name: "default-ignores", + Usage: "Set the default ignores (config) from a file", + ArgsUsage: "path", + Action: expects(1, setDefaultIgnores), + }, }, } @@ -74,3 +84,29 @@ } return fmt.Errorf("Folder " + rid + " not found") } + +func setDefaultIgnores(c *cli.Context) error { + client, err := getClientFactory(c).getClient() + if err != nil { + return err + } + dir, file := filepath.Split(c.Args()[0]) + filesystem := fs.NewFilesystem(fs.FilesystemTypeBasic, dir) + + fd, err := filesystem.Open(file) + if err != nil { + return err + } + scanner := bufio.NewScanner(fd) + var lines []string + for scanner.Scan() { + lines = append(lines, scanner.Text()) + } + fd.Close() + if err := scanner.Err(); err != nil { + return err + } + + _, err = client.PutJSON("config/defaults/ignores", config.Ignores{Lines: lines}) + return err +} diff -Nru syncthing-1.18.6~ds1/cmd/syncthing/cli/pending.go syncthing-1.19.2~ds1/cmd/syncthing/cli/pending.go --- syncthing-1.18.6~ds1/cmd/syncthing/cli/pending.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/syncthing/cli/pending.go 2022-04-05 03:32:50.000000000 +0000 @@ -7,6 +7,8 @@ package cli import ( + "net/url" + "github.com/urfave/cli" ) @@ -21,9 +23,23 @@ Action: expects(0, indexDumpOutput("cluster/pending/devices")), }, { - Name: "folders", - Usage: "Show pending folders", - Action: expects(0, indexDumpOutput("cluster/pending/folders")), + Name: "folders", + Usage: "Show pending folders", + Flags: []cli.Flag{ + cli.StringFlag{Name: "device", Usage: "Show pending folders offered by given device"}, + }, + Action: expects(0, folders()), }, }, } + +func folders() cli.ActionFunc { + return func(c *cli.Context) error { + if c.String("device") != "" { + query := make(url.Values) + query.Set("device", c.String("device")) + return indexDumpOutput("cluster/pending/folders?" + query.Encode())(c) + } + return indexDumpOutput("cluster/pending/folders")(c) + } +} diff -Nru syncthing-1.18.6~ds1/cmd/syncthing/cmdutil/options_common.go syncthing-1.19.2~ds1/cmd/syncthing/cmdutil/options_common.go --- syncthing-1.18.6~ds1/cmd/syncthing/cmdutil/options_common.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/syncthing/cmdutil/options_common.go 2022-04-05 03:32:50.000000000 +0000 @@ -12,4 +12,5 @@ ConfDir string `name:"config" placeholder:"PATH" help:"Set configuration directory (config and keys)"` HomeDir string `name:"home" placeholder:"PATH" help:"Set configuration and data directory"` NoDefaultFolder bool `env:"STNODEFAULTFOLDER" help:"Don't create the \"default\" folder on first startup"` + SkipPortProbing bool `help:"Don't try to find free ports for GUI and listen addresses on first startup"` } diff -Nru syncthing-1.18.6~ds1/cmd/syncthing/generate/generate.go syncthing-1.19.2~ds1/cmd/syncthing/generate/generate.go --- syncthing-1.18.6~ds1/cmd/syncthing/generate/generate.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/syncthing/generate/generate.go 2022-04-05 03:32:50.000000000 +0000 @@ -53,18 +53,18 @@ reader := bufio.NewReader(os.Stdin) password, _, err := reader.ReadLine() if err != nil { - return fmt.Errorf("Failed reading GUI password: %w", err) + return fmt.Errorf("failed reading GUI password: %w", err) } c.GUIPassword = string(password) } - if err := Generate(c.ConfDir, c.GUIUser, c.GUIPassword, c.NoDefaultFolder); err != nil { - return fmt.Errorf("Failed to generate config and keys: %w", err) + if err := Generate(c.ConfDir, c.GUIUser, c.GUIPassword, c.NoDefaultFolder, c.SkipPortProbing); err != nil { + return fmt.Errorf("failed to generate config and keys: %w", err) } return nil } -func Generate(confDir, guiUser, guiPassword string, noDefaultFolder bool) error { +func Generate(confDir, guiUser, guiPassword string, noDefaultFolder, skipPortProbing bool) error { dir, err := fs.ExpandTilde(confDir) if err != nil { return err @@ -90,20 +90,13 @@ log.Println("Device ID:", myID) cfgFile := locations.Get(locations.ConfigFile) - var cfg config.Wrapper - if _, err := os.Stat(cfgFile); err == nil { - if guiUser == "" && guiPassword == "" { - log.Println("WARNING: Config exists; will not overwrite.") - return nil - } - - if cfg, _, err = config.Load(cfgFile, myID, events.NoopLogger); err != nil { - return fmt.Errorf("load config: %w", err) - } - } else { - if cfg, err = syncthing.DefaultConfig(cfgFile, myID, events.NoopLogger, noDefaultFolder); err != nil { + cfg, _, err := config.Load(cfgFile, myID, events.NoopLogger) + if fs.IsNotExist(err) { + if cfg, err = syncthing.DefaultConfig(cfgFile, myID, events.NoopLogger, noDefaultFolder, skipPortProbing); err != nil { return fmt.Errorf("create config: %w", err) } + } else if err != nil { + return fmt.Errorf("load config: %w", err) } ctx, cancel := context.WithCancel(context.Background()) @@ -136,7 +129,7 @@ if guiPassword != "" && guiCfg.Password != guiPassword { if err := guiCfg.HashAndSetPassword(guiPassword); err != nil { - return fmt.Errorf("Failed to set GUI authentication password: %w", err) + return fmt.Errorf("failed to set GUI authentication password: %w", err) } log.Println("Updated GUI authentication password.") } diff -Nru syncthing-1.18.6~ds1/cmd/syncthing/main.go syncthing-1.19.2~ds1/cmd/syncthing/main.go --- syncthing-1.18.6~ds1/cmd/syncthing/main.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/syncthing/main.go 2022-04-05 03:32:50.000000000 +0000 @@ -173,7 +173,7 @@ DebugGUIAssetsDir string `placeholder:"PATH" help:"Directory to load GUI assets from" env:"STGUIASSETS"` DebugPerfStats bool `env:"STPERFSTATS" help:"Write running performance statistics to perf-$pid.csv (Unix only)"` DebugProfileBlock bool `env:"STBLOCKPROFILE" help:"Write block profiles to block-$pid-$timestamp.pprof every 20 seconds"` - DebugProfileCPU bool `help:"Write a CPU profile to cpu-$pid.pprof on exit" env:"CPUPROFILE"` + DebugProfileCPU bool `help:"Write a CPU profile to cpu-$pid.pprof on exit" env:"STCPUPROFILE"` DebugProfileHeap bool `env:"STHEAPPROFILE" help:"Write heap profiles to heap-$pid-$timestamp.pprof each time heap usage increases"` DebugProfilerListen string `placeholder:"ADDR" env:"STPROFILER" help:"Network profiler listen address"` DebugResetDatabase bool `name:"reset-database" help:"Reset the database, forcing a full rescan and resync"` @@ -329,7 +329,7 @@ } if options.BrowserOnly { - if err := openGUI(protocol.EmptyDeviceID); err != nil { + if err := openGUI(); err != nil { l.Warnln("Failed to open web UI:", err) os.Exit(svcutil.ExitError.AsInt()) } @@ -337,7 +337,7 @@ } if options.GenerateDir != "" { - if err := generate.Generate(options.GenerateDir, "", "", options.NoDefaultFolder); err != nil { + if err := generate.Generate(options.GenerateDir, "", "", options.NoDefaultFolder, options.SkipPortProbing); err != nil { l.Warnln("Failed to generate config and keys:", err) os.Exit(svcutil.ExitError.AsInt()) } @@ -406,8 +406,8 @@ return nil } -func openGUI(myID protocol.DeviceID) error { - cfg, err := loadOrDefaultConfig(myID, events.NoopLogger) +func openGUI() error { + cfg, err := loadOrDefaultConfig() if err != nil { return err } @@ -452,7 +452,7 @@ } func checkUpgrade() (upgrade.Release, error) { - cfg, err := loadOrDefaultConfig(protocol.EmptyDeviceID, events.NoopLogger) + cfg, err := loadOrDefaultConfig() if err != nil { return upgrade.Release{}, err } @@ -471,7 +471,7 @@ } func upgradeViaRest() error { - cfg, err := loadOrDefaultConfig(protocol.EmptyDeviceID, events.NoopLogger) + cfg, err := loadOrDefaultConfig() if err != nil { return err } @@ -551,7 +551,7 @@ evLogger := events.NewLogger() earlyService.Add(evLogger) - cfgWrapper, err := syncthing.LoadConfigAtStartup(locations.Get(locations.ConfigFile), cert, evLogger, options.AllowNewerConfig, options.NoDefaultFolder) + cfgWrapper, err := syncthing.LoadConfigAtStartup(locations.Get(locations.ConfigFile), cert, evLogger, options.AllowNewerConfig, options.NoDefaultFolder, options.SkipPortProbing) if err != nil { l.Warnln("Failed to initialize config:", err) os.Exit(svcutil.ExitError.AsInt()) @@ -711,12 +711,15 @@ }() } -func loadOrDefaultConfig(myID protocol.DeviceID, evLogger events.Logger) (config.Wrapper, error) { +// loadOrDefaultConfig creates a temporary, minimal configuration wrapper if no file +// exists. As it disregards some command-line options, that should never be persisted. +func loadOrDefaultConfig() (config.Wrapper, error) { cfgFile := locations.Get(locations.ConfigFile) - cfg, _, err := config.Load(cfgFile, myID, evLogger) + cfg, _, err := config.Load(cfgFile, protocol.EmptyDeviceID, events.NoopLogger) if err != nil { - cfg, err = syncthing.DefaultConfig(cfgFile, myID, evLogger, true) + newCfg := config.New(protocol.EmptyDeviceID) + return config.Wrap(cfgFile, newCfg, protocol.EmptyDeviceID, events.NoopLogger), nil } return cfg, err diff -Nru syncthing-1.18.6~ds1/cmd/syncthing/monitor.go syncthing-1.19.2~ds1/cmd/syncthing/monitor.go --- syncthing-1.18.6~ds1/cmd/syncthing/monitor.go 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/cmd/syncthing/monitor.go 2022-04-05 03:32:50.000000000 +0000 @@ -20,11 +20,9 @@ "syscall" "time" - "github.com/syncthing/syncthing/lib/events" "github.com/syncthing/syncthing/lib/fs" "github.com/syncthing/syncthing/lib/locations" "github.com/syncthing/syncthing/lib/osutil" - "github.com/syncthing/syncthing/lib/protocol" "github.com/syncthing/syncthing/lib/svcutil" "github.com/syncthing/syncthing/lib/sync" ) @@ -564,7 +562,7 @@ // panicUploadMaxWait uploading panics... func maybeReportPanics() { // Try to get a config to see if/where panics should be reported. - cfg, err := loadOrDefaultConfig(protocol.EmptyDeviceID, events.NoopLogger) + cfg, err := loadOrDefaultConfig() if err != nil { l.Warnln("Couldn't load config; not reporting crash") return diff -Nru syncthing-1.18.6~ds1/debian/changelog syncthing-1.19.2~ds1/debian/changelog --- syncthing-1.18.6~ds1/debian/changelog 2022-09-05 02:59:09.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/changelog 2023-01-11 10:13:13.000000000 +0000 @@ -1,10 +1,32 @@ -syncthing (1.18.6~ds1-2) unstable; urgency=medium +syncthing (1.19.2~ds1-1) unstable; urgency=medium - * Team Upload. - * Temporarily add versioned depends for go 1.19 transition - * Add patch to make syncthing work with new quic-go + [ Nicholas D Steeves ] + * New upstream release 1.19.2~ds1. + * Rebase quilt series onto this release. + * Update two upstream copyright statements. + * Bump golang-github-shirou-gopsutil-dev to 3.21.12 + * Bump golang-github-greatroar-blobloom-dev to 0.7.0 + * Bump golang-github-thejerf-suture-dev to 4.0.1 + * Upgrade golang-any 2:1.16~ + * Add golang-github-alecthomas-kong-dev >=0.2.17 - -- Nilesh Patra Mon, 05 Sep 2022 08:29:09 +0530 + [ Shengjing Zhu ] + * Update dependencies + + Add golang-github-julienschmidt-httprouter-dev + + Add golang-github-pkg-errors-dev + + Remove golang-github-marten-seemann-qtls-go1-18-dev + + Remove golang-siphash-dev + - Remove golang-github-getsentry-raven-go-dev + - Remove golang-github-oschwald-geoip2-golang-dev + * Change devel package to golang section + * Update maintainer address to team+pkg-go@tracker.debian.org + * Fix uscan watch file + * Add patch to build with golang-github-pierrec-lz4 2.5.2 + + [ Nilesh Patra ] + * Add patch to build with golang-github-lucas-clemente-quic-go 0.29 + + -- Shengjing Zhu Wed, 11 Jan 2023 18:13:13 +0800 syncthing (1.18.6~ds1-1) unstable; urgency=medium diff -Nru syncthing-1.18.6~ds1/debian/control syncthing-1.19.2~ds1/debian/control --- syncthing-1.18.6~ds1/debian/control 2022-09-05 02:59:09.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/control 2023-01-11 10:13:13.000000000 +0000 @@ -1,55 +1,54 @@ Source: syncthing Section: utils Priority: optional -Maintainer: Debian Go Packaging Team +Maintainer: Debian Go Packaging Team Uploaders: Alexandre Viau , Aloïs Micard Build-Depends: debhelper-compat (= 13), dh-exec, dh-golang, - golang-any (>= 2:1.19~), + golang-any (>= 2:1.16~), # Go libs genxdr, - golang-github-rcrowley-go-metrics-dev, - golang-github-prometheus-client-golang-dev (>=0.9.0), - golang-github-bkaradzic-go-lz4-dev, - golang-golang-x-text-dev, - golang-golang-x-net-dev, - golang-golang-x-crypto-dev, + golang-github-alecthomas-kong-dev (>=0.2.17), + golang-github-audriusbutkevicius-pfilter-dev, + golang-github-audriusbutkevicius-recli-dev, golang-github-calmh-xdr-dev, - golang-github-thejerf-suture-dev (>=4.0.0), - golang-github-vitrun-qart-dev, - golang-github-syndtr-goleveldb-dev, + golang-github-ccding-go-stun-dev (>= 0.1.2), + golang-github-chmduquesne-rollinghash-dev (>= 4.0.0), + golang-github-d4l3k-messagediff-dev, + golang-github-go-ldap-ldap-dev (>=3.2.3), golang-github-gobwas-glob-dev (>= 0.2.1), + golang-github-gogo-protobuf-dev (>=1.2.1+git20190611.dadb6258), + golang-github-golang-groupcache-dev, + golang-github-google-shlex-dev, + golang-github-greatroar-blobloom-dev (>=0.7.0), + golang-github-hashicorp-golang-lru-dev, golang-github-jackpal-gateway-dev, golang-github-jackpal-go-nat-pmp-dev, - golang-github-d4l3k-messagediff-dev, - golang-github-golang-groupcache-dev, - golang-github-oschwald-geoip2-golang-dev, - golang-github-gogo-protobuf-dev (>=1.2.1+git20190611.dadb6258), + golang-github-julienschmidt-httprouter-dev, + golang-github-kballard-go-shellquote-dev, golang-github-lib-pq-dev, + golang-github-lucas-clemente-quic-go-dev (>=0.29.0), golang-github-minio-sha256-simd-dev, - golang-github-audriusbutkevicius-pfilter-dev, - golang-github-ccding-go-stun-dev (>= 0.1.2), - golang-github-chmduquesne-rollinghash-dev (>= 4.0.0), - golang-golang-x-time-dev, - golang-github-kballard-go-shellquote-dev, - golang-github-syncthing-notify-dev, - golang-github-sasha-s-go-deadlock-dev, - golang-github-go-ldap-ldap-dev (>=3.2.3), - golang-github-getsentry-raven-go-dev, - golang-github-lucas-clemente-quic-go-dev (>= 0.29.0-1~), - golang-github-shirou-gopsutil-dev (>=3.21.0), - golang-github-greatroar-blobloom-dev, - golang-siphash-dev, golang-github-miscreant-miscreant.go-dev, + golang-github-pierrec-lz4-dev, + golang-github-pkg-errors-dev, + golang-github-prometheus-client-golang-dev (>=0.9.0), + golang-github-rcrowley-go-metrics-dev, + golang-github-sasha-s-go-deadlock-dev, + golang-github-shirou-gopsutil-dev (>=3.21.12), + golang-github-syncthing-notify-dev, + golang-github-syndtr-goleveldb-dev, + golang-github-thejerf-suture-dev (>=4.0.1), golang-github-urfave-cli-dev, - golang-github-alecthomas-kong-dev, - golang-github-google-shlex-dev, - golang-github-audriusbutkevicius-recli-dev, - golang-github-hashicorp-golang-lru-dev, + golang-github-vitrun-qart-dev, + golang-golang-x-crypto-dev, + golang-golang-x-net-dev, + golang-golang-x-sys-dev, + golang-golang-x-text-dev, + golang-golang-x-time-dev, golang-google-protobuf-dev, - golang-github-marten-seemann-qtls-go1-18-dev, # Web things fonts-fork-awesome (>=1.1.5+ds1-2), libjs-bootstrap @@ -63,51 +62,46 @@ Package: golang-github-syncthing-syncthing-dev Architecture: all -Section: devel +Section: golang Depends: ${misc:Depends}, - golang-go (>= 2:1.19~), -# Go libs - genxdr, - golang-github-rcrowley-go-metrics-dev, - golang-github-prometheus-client-golang-dev (>=0.9.0), - golang-github-bkaradzic-go-lz4-dev, - golang-golang-x-text-dev, - golang-golang-x-net-dev, - golang-golang-x-crypto-dev, + golang-github-alecthomas-kong-dev (>=0.2.17), + golang-github-audriusbutkevicius-pfilter-dev, + golang-github-audriusbutkevicius-recli-dev, golang-github-calmh-xdr-dev, - golang-github-thejerf-suture-dev (>=4.0.0), - golang-github-vitrun-qart-dev, - golang-github-syndtr-goleveldb-dev, + golang-github-ccding-go-stun-dev (>= 0.1.2), + golang-github-chmduquesne-rollinghash-dev (>= 4.0.0), + golang-github-go-ldap-ldap-dev (>=3.2.3), golang-github-gobwas-glob-dev (>= 0.2.1), + golang-github-gogo-protobuf-dev (>=1.2.1+git20190611.dadb6258), + golang-github-golang-groupcache-dev, + golang-github-google-shlex-dev, + golang-github-greatroar-blobloom-dev (>=0.7.0), + golang-github-hashicorp-golang-lru-dev, golang-github-jackpal-gateway-dev, golang-github-jackpal-go-nat-pmp-dev, - golang-github-d4l3k-messagediff-dev, - golang-github-golang-groupcache-dev, - golang-github-oschwald-geoip2-golang-dev, - golang-github-gogo-protobuf-dev (>=1.2.1+git20190611.dadb6258), + golang-github-julienschmidt-httprouter-dev, + golang-github-kballard-go-shellquote-dev, golang-github-lib-pq-dev, + golang-github-lucas-clemente-quic-go-dev (>=0.29.0), golang-github-minio-sha256-simd-dev, - golang-github-audriusbutkevicius-pfilter-dev, - golang-github-ccding-go-stun-dev (>= 0.1.2), - golang-github-chmduquesne-rollinghash-dev, - golang-golang-x-time-dev, - golang-github-kballard-go-shellquote-dev, - golang-github-syncthing-notify-dev, - golang-github-sasha-s-go-deadlock-dev, - golang-github-go-ldap-ldap-dev (>= 3.2.3), - golang-github-getsentry-raven-go-dev, - golang-github-lucas-clemente-quic-go-dev (>= 0.29.0-1~), - golang-github-shirou-gopsutil-dev (>=3.21.0), - golang-github-greatroar-blobloom-dev, - golang-siphash-dev, golang-github-miscreant-miscreant.go-dev, + golang-github-pierrec-lz4-dev, + golang-github-pkg-errors-dev, + golang-github-prometheus-client-golang-dev (>=0.9.0), + golang-github-rcrowley-go-metrics-dev, + golang-github-sasha-s-go-deadlock-dev, + golang-github-shirou-gopsutil-dev (>=3.21.12), + golang-github-syncthing-notify-dev, + golang-github-syndtr-goleveldb-dev, + golang-github-thejerf-suture-dev (>=4.0.1), golang-github-urfave-cli-dev, - golang-github-alecthomas-kong-dev, - golang-github-google-shlex-dev, - golang-github-audriusbutkevicius-recli-dev, - golang-github-hashicorp-golang-lru-dev, + golang-github-vitrun-qart-dev, + golang-golang-x-crypto-dev, + golang-golang-x-net-dev, + golang-golang-x-sys-dev, + golang-golang-x-text-dev, + golang-golang-x-time-dev, golang-google-protobuf-dev, - golang-github-marten-seemann-qtls-go1-18-dev, Description: decentralized file synchronization - dev package Syncthing is an application that lets you synchronize your files across multiple devices. This means the creation, modification or deletion of files diff -Nru syncthing-1.18.6~ds1/debian/copyright syncthing-1.19.2~ds1/debian/copyright --- syncthing-1.18.6~ds1/debian/copyright 2022-09-05 02:56:27.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/copyright 2023-01-11 10:13:13.000000000 +0000 @@ -46,7 +46,7 @@ ## Files: gui/default/vendor/daterangepicker/* -Copyright: 2012-2018 Dan Grossman +Copyright: 2012-2020 Dan Grossman License: Expat Files: gui/default/vendor/angular/angular-dirPagination.js @@ -76,7 +76,7 @@ License: Expat Files: gui/default/vendor/fancytree/* -Copyright: 2008-2018 Martin Wendt +Copyright: 2008-2021 Martin Wendt License: Expat Files: gui/default/vendor/moment/* diff -Nru syncthing-1.18.6~ds1/debian/patches/Compatibility-with-golang-github-lucas-clemente-quic-go-0.patch syncthing-1.19.2~ds1/debian/patches/Compatibility-with-golang-github-lucas-clemente-quic-go-0.patch --- syncthing-1.18.6~ds1/debian/patches/Compatibility-with-golang-github-lucas-clemente-quic-go-0.patch 1970-01-01 00:00:00.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/Compatibility-with-golang-github-lucas-clemente-quic-go-0.patch 2023-01-11 10:13:13.000000000 +0000 @@ -0,0 +1,57 @@ +From: Nilesh Patra +Date: Wed, 11 Jan 2023 18:27:58 +0800 +Subject: Compatibility with golang-github-lucas-clemente-quic-go 0.29 + +--- + lib/connections/quic_misc.go | 10 ++++++---- + 1 file changed, 6 insertions(+), 4 deletions(-) + +diff --git a/lib/connections/quic_misc.go b/lib/connections/quic_misc.go +index fb8e704..1e502e1 100644 +--- a/lib/connections/quic_misc.go ++++ b/lib/connections/quic_misc.go +@@ -13,6 +13,7 @@ import ( + "crypto/tls" + "net" + "net/url" ++ "time" + + "github.com/lucas-clemente/quic-go" + ) +@@ -20,7 +21,8 @@ import ( + var ( + quicConfig = &quic.Config{ + ConnectionIDLength: 4, +- KeepAlive: true, ++ MaxIdleTimeout: 30 * time.Second, ++ KeepAlivePeriod: 15 * time.Second, + } + ) + +@@ -36,7 +38,7 @@ func quicNetwork(uri *url.URL) string { + } + + type quicTlsConn struct { +- quic.Session ++ quic.Connection + quic.Stream + // If we created this connection, we should be the ones closing it. + createdConn net.PacketConn +@@ -44,7 +46,7 @@ type quicTlsConn struct { + + func (q *quicTlsConn) Close() error { + sterr := q.Stream.Close() +- seerr := q.Session.CloseWithError(0, "closing") ++ seerr := q.Connection.CloseWithError(0, "closing") + var pcerr error + if q.createdConn != nil { + pcerr = q.createdConn.Close() +@@ -59,7 +61,7 @@ func (q *quicTlsConn) Close() error { + } + + func (q *quicTlsConn) ConnectionState() tls.ConnectionState { +- return q.Session.ConnectionState().TLS.ConnectionState ++ return q.Connection.ConnectionState().TLS.ConnectionState + } + + func packetConnUnspecified(conn interface{}) bool { diff -Nru syncthing-1.18.6~ds1/debian/patches/Compatibility-with-golang-github-pierrec-lz4-2.5.2.patch syncthing-1.19.2~ds1/debian/patches/Compatibility-with-golang-github-pierrec-lz4-2.5.2.patch --- syncthing-1.18.6~ds1/debian/patches/Compatibility-with-golang-github-pierrec-lz4-2.5.2.patch 1970-01-01 00:00:00.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/Compatibility-with-golang-github-pierrec-lz4-2.5.2.patch 2023-01-11 10:13:13.000000000 +0000 @@ -0,0 +1,35 @@ +From: Shengjing Zhu +Date: Wed, 11 Jan 2023 18:19:35 +0800 +Subject: Compatibility with golang-github-pierrec-lz4 2.5.2 + +--- + lib/protocol/protocol.go | 2 +- + lib/protocol/protocol_test.go | 2 +- + 2 files changed, 2 insertions(+), 2 deletions(-) + +diff --git a/lib/protocol/protocol.go b/lib/protocol/protocol.go +index 61ff3a3..49d8389 100644 +--- a/lib/protocol/protocol.go ++++ b/lib/protocol/protocol.go +@@ -23,7 +23,7 @@ import ( + "sync" + "time" + +- lz4 "github.com/pierrec/lz4/v4" ++ lz4 "github.com/pierrec/lz4" + "github.com/pkg/errors" + ) + +diff --git a/lib/protocol/protocol_test.go b/lib/protocol/protocol_test.go +index 54e3ec7..f2e06b5 100644 +--- a/lib/protocol/protocol_test.go ++++ b/lib/protocol/protocol_test.go +@@ -17,7 +17,7 @@ import ( + "testing/quick" + "time" + +- lz4 "github.com/pierrec/lz4/v4" ++ lz4 "github.com/pierrec/lz4" + "github.com/syncthing/syncthing/lib/rand" + "github.com/syncthing/syncthing/lib/testutils" + ) diff -Nru syncthing-1.18.6~ds1/debian/patches/disable_test_host_check.patch syncthing-1.19.2~ds1/debian/patches/disable_test_host_check.patch --- syncthing-1.18.6~ds1/debian/patches/disable_test_host_check.patch 2022-09-05 02:56:17.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/disable_test_host_check.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,6 +1,11 @@ +From: Debian Go Packaging Team +Date: Wed, 11 Jan 2023 18:17:47 +0800 +Subject: disable_test_host_check + Origin: Disable failing TestHostCheck. Forwarded: https://github.com/syncthing/syncthing/issues/5826 -Author: +Last-Update: 2019-07-01 + Last-Update: 2019-07-01 --- lib/api/api_test.go | 1 + diff -Nru syncthing-1.18.6~ds1/debian/patches/fix-test-folder-path.patch syncthing-1.19.2~ds1/debian/patches/fix-test-folder-path.patch --- syncthing-1.18.6~ds1/debian/patches/fix-test-folder-path.patch 2022-09-05 02:56:27.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/fix-test-folder-path.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,15 +1,20 @@ -Description: Fix TestFolderPath to not fails if there's '~' somewere in the string -Author: Aloïs Micard +From: =?utf-8?q?Alo=C3=AFs_Micard?= +Date: Wed, 11 Jan 2023 18:17:47 +0800 +Subject: Fix TestFolderPath to not fails if there's '~' somewere in the + string + +Last-Update: 2021-12-02 + Last-Update: 2021-12-02 --- lib/config/config_test.go | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/lib/config/config_test.go b/lib/config/config_test.go -index 861c578..0212c97 100644 +index a029dce..75c8be6 100644 --- a/lib/config/config_test.go +++ b/lib/config/config_test.go -@@ -495,8 +495,8 @@ func TestFolderPath(t *testing.T) { +@@ -498,8 +498,8 @@ func TestFolderPath(t *testing.T) { if !filepath.IsAbs(realPath) { t.Error(realPath, "should be absolute") } diff -Nru syncthing-1.18.6~ds1/debian/patches/goleveldb-unknown-option.patch syncthing-1.19.2~ds1/debian/patches/goleveldb-unknown-option.patch --- syncthing-1.18.6~ds1/debian/patches/goleveldb-unknown-option.patch 2022-09-05 02:56:17.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/goleveldb-unknown-option.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,3 +1,10 @@ +From: Debian Go Packaging Team +Date: Wed, 11 Jan 2023 18:17:47 +0800 +Subject: goleveldb-unknown-option + +lib/db/backend/leveldb_open.go | 2 +- + 1 file changed, 1 insertion(+), 1 deletion(-) +--- lib/db/backend/leveldb_open.go | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff -Nru syncthing-1.18.6~ds1/debian/patches/raleway.patch syncthing-1.19.2~ds1/debian/patches/raleway.patch --- syncthing-1.18.6~ds1/debian/patches/raleway.patch 2022-09-05 02:56:27.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/raleway.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,8 +1,17 @@ +From: Alexandre Viau +Date: Wed, 10 Oct 2018 23:39:42 -0400 +Subject: don't include raleway css + +Last-Update: 2022-05-05 + +gui/default/index.html | 1 - + 1 file changed, 1 deletion(-) +--- gui/default/index.html | 1 - 1 file changed, 1 deletion(-) diff --git a/gui/default/index.html b/gui/default/index.html -index 4c1a2fb..6699b44 100644 +index efab721..3daed8b 100644 --- a/gui/default/index.html +++ b/gui/default/index.html @@ -20,7 +20,6 @@ @@ -12,4 +21,4 @@ - - + diff -Nru syncthing-1.18.6~ds1/debian/patches/series syncthing-1.19.2~ds1/debian/patches/series --- syncthing-1.18.6~ds1/debian/patches/series 2022-09-05 02:59:09.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/series 2023-01-11 10:13:13.000000000 +0000 @@ -7,4 +7,5 @@ skip-failing-test.patch use-google-flynn.patch fix-test-folder-path.patch -update-quic-misc.patch +Compatibility-with-golang-github-pierrec-lz4-2.5.2.patch +Compatibility-with-golang-github-lucas-clemente-quic-go-0.patch diff -Nru syncthing-1.18.6~ds1/debian/patches/skip-failing-test.patch syncthing-1.19.2~ds1/debian/patches/skip-failing-test.patch --- syncthing-1.18.6~ds1/debian/patches/skip-failing-test.patch 2022-09-05 02:56:27.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/skip-failing-test.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,3 +1,12 @@ +From: Debian Go Packaging Team +Date: Wed, 11 Jan 2023 18:17:47 +0800 +Subject: skip-failing-test + +lib/logger/logger_test.go | 3 +++ + lib/model/model_test.go | 1 + + lib/model/requests_test.go | 2 ++ + 3 files changed, 6 insertions(+) +--- lib/logger/logger_test.go | 3 +++ lib/model/model_test.go | 1 + lib/model/requests_test.go | 2 ++ @@ -28,7 +37,7 @@ l.SetPrefix("ABCDEFG") diff --git a/lib/model/model_test.go b/lib/model/model_test.go -index 78fa8e9..7ed3819 100644 +index eac0b69..c4a0b68 100644 --- a/lib/model/model_test.go +++ b/lib/model/model_test.go @@ -2175,6 +2175,7 @@ func TestIssue2782(t *testing.T) { @@ -38,7 +47,7 @@ + t.Skip() m := newModel(t, defaultCfgWrapper, myID, "syncthing", "dev", nil) - files := newFileSet(t, "default", defaultFs, m.db) + files := newFileSet(t, "default", m.db) diff --git a/lib/model/requests_test.go b/lib/model/requests_test.go index 443f740..e2dc15d 100644 --- a/lib/model/requests_test.go diff -Nru syncthing-1.18.6~ds1/debian/patches/skip-watch-tests.patch syncthing-1.19.2~ds1/debian/patches/skip-watch-tests.patch --- syncthing-1.18.6~ds1/debian/patches/skip-watch-tests.patch 2022-09-05 02:56:17.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/skip-watch-tests.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,6 +1,10 @@ -Description: Skip flaky watch tests +From: Alexandre Viau +Date: Wed, 11 Jan 2023 18:17:47 +0800 +Subject: Skip flaky watch tests + Bug: https://github.com/syncthing/syncthing/issues/4687 -Author: Alexandre Viau +Last-Update: 2018-03-29 + Last-Update: 2018-03-29 --- lib/fs/basicfs_watch_test.go | 1 + diff -Nru syncthing-1.18.6~ds1/debian/patches/tests-wait-longer.patch syncthing-1.19.2~ds1/debian/patches/tests-wait-longer.patch --- syncthing-1.18.6~ds1/debian/patches/tests-wait-longer.patch 2022-09-05 02:56:17.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/tests-wait-longer.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,4 +1,3 @@ -From 074171dd47717ee807da932d93c0977e0cc25a82 Mon Sep 17 00:00:00 2001 From: aviau Date: Thu, 4 Jul 2019 10:58:39 -0400 Subject: [PATCH] requests_test: wait longer diff -Nru syncthing-1.18.6~ds1/debian/patches/update-quic-misc.patch syncthing-1.19.2~ds1/debian/patches/update-quic-misc.patch --- syncthing-1.18.6~ds1/debian/patches/update-quic-misc.patch 2022-09-05 02:59:09.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/update-quic-misc.patch 1970-01-01 00:00:00.000000000 +0000 @@ -1,49 +0,0 @@ -diff --git a/lib/connections/quic_misc.go b/lib/connections/quic_misc.go -index fb8e704..1e502e1 100644 ---- a/lib/connections/quic_misc.go -+++ b/lib/connections/quic_misc.go -@@ -13,6 +13,7 @@ import ( - "crypto/tls" - "net" - "net/url" -+ "time" - - "github.com/lucas-clemente/quic-go" - ) -@@ -20,7 +21,8 @@ import ( - var ( - quicConfig = &quic.Config{ - ConnectionIDLength: 4, -- KeepAlive: true, -+ MaxIdleTimeout: 30 * time.Second, -+ KeepAlivePeriod: 15 * time.Second, - } - ) - -@@ -36,7 +38,7 @@ func quicNetwork(uri *url.URL) string { - } - - type quicTlsConn struct { -- quic.Session -+ quic.Connection - quic.Stream - // If we created this connection, we should be the ones closing it. - createdConn net.PacketConn -@@ -44,7 +46,7 @@ type quicTlsConn struct { - - func (q *quicTlsConn) Close() error { - sterr := q.Stream.Close() -- seerr := q.Session.CloseWithError(0, "closing") -+ seerr := q.Connection.CloseWithError(0, "closing") - var pcerr error - if q.createdConn != nil { - pcerr = q.createdConn.Close() -@@ -59,7 +61,7 @@ func (q *quicTlsConn) Close() error { - } - - func (q *quicTlsConn) ConnectionState() tls.ConnectionState { -- return q.Session.ConnectionState().TLS.ConnectionState -+ return q.Connection.ConnectionState().TLS.ConnectionState - } - - func packetConnUnspecified(conn interface{}) bool { diff -Nru syncthing-1.18.6~ds1/debian/patches/use-google-flynn.patch syncthing-1.19.2~ds1/debian/patches/use-google-flynn.patch --- syncthing-1.18.6~ds1/debian/patches/use-google-flynn.patch 2022-09-05 02:56:17.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/use-google-flynn.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,5 +1,9 @@ -Description: Use shlex from Google, not Flynn -Author: Aloïs Micard +From: =?utf-8?q?Alo=C3=AFs_Micard?= +Date: Wed, 11 Jan 2023 18:17:47 +0800 +Subject: Use shlex from Google, not Flynn + +Last-Update: 2021-11-08 + Last-Update: 2021-11-08 --- cmd/syncthing/cli/main.go | 2 +- diff -Nru syncthing-1.18.6~ds1/debian/patches/use-packaged-genxdr.patch syncthing-1.19.2~ds1/debian/patches/use-packaged-genxdr.patch --- syncthing-1.18.6~ds1/debian/patches/use-packaged-genxdr.patch 2022-09-05 02:56:17.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/patches/use-packaged-genxdr.patch 2023-01-11 10:13:13.000000000 +0000 @@ -1,5 +1,9 @@ -Description: Use Debian's genxdr -Author: Alexandre Viau +From: Alexandre Viau +Date: Wed, 11 Jan 2023 18:17:47 +0800 +Subject: Use Debian's genxdr + +Last-Update: 2016-11-25 + Last-Update: 2016-11-25 --- lib/relay/protocol/packets.go | 1 - diff -Nru syncthing-1.18.6~ds1/debian/watch syncthing-1.19.2~ds1/debian/watch --- syncthing-1.18.6~ds1/debian/watch 2022-09-05 02:56:17.000000000 +0000 +++ syncthing-1.19.2~ds1/debian/watch 2023-01-11 10:13:13.000000000 +0000 @@ -1,8 +1,9 @@ -version=3 -opts=\ -dversionmangle=s/\~ds[\d]*$//;s/~beta/-beta/;s/~rc/-rc/,\ +version=4 +opts="\ +dversionmangle=auto,\ uversionmangle=s/.*\/v([\d\.]+)(-beta[\.\d]+)?\.tar\.gz/$1$2/;s/-beta/~beta/;s/-rc/~rc/,\ +downloadurlmangle=s/archive\/refs\/tags\/v@ANY_VERSION@\.tar\.gz/releases\/download\/v$1\/syncthing-source-v$1.tar.gz/,\ pgpsigurlmangle=s/$/.asc/,\ -repacksuffix=~ds1,\ -dversionmangle=s/\~ds\d*$// \ - https://github.com/syncthing/syncthing/releases .*/syncthing-source-v?([.\d]+)\.tar\.gz +repacksuffix=~ds1" \ + https://github.com/syncthing/syncthing/tags \ + .*/v?@ANY_VERSION@\.tar\.gz debian diff -Nru syncthing-1.18.6~ds1/.github/workflows/update-docs-translations.yaml syncthing-1.19.2~ds1/.github/workflows/update-docs-translations.yaml --- syncthing-1.18.6~ds1/.github/workflows/update-docs-translations.yaml 1970-01-01 00:00:00.000000000 +0000 +++ syncthing-1.19.2~ds1/.github/workflows/update-docs-translations.yaml 2022-04-05 03:32:50.000000000 +0000 @@ -0,0 +1,29 @@ +name: Update translations and documentation +on: + workflow_dispatch: + schedule: + - cron: '42 3 * * 1' + +jobs: + + update_transifex_docs: + runs-on: ubuntu-latest + name: Update translations and documentation + steps: + - uses: actions/checkout@v2 + with: + fetch-depth: 0 + token: ${{ secrets.ACTIONS_GITHUB_TOKEN }} + - uses: actions/setup-go@v2 + with: + go-version: ^1.17.6 + - run: | + set -euo pipefail + git config --global user.name 'Syncthing Release Automation' + git config --global user.email 'release@syncthing.net' + bash build.sh translate + bash build.sh prerelease + git push + env: + TRANSIFEX_USER: ${{ secrets.TRANSIFEX_USER }} + TRANSIFEX_PASS: ${{ secrets.TRANSIFEX_PASS }} diff -Nru syncthing-1.18.6~ds1/go.mod syncthing-1.19.2~ds1/go.mod --- syncthing-1.18.6~ds1/go.mod 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/go.mod 2022-04-05 03:32:50.000000000 +0000 @@ -3,8 +3,7 @@ require ( github.com/AudriusButkevicius/pfilter v0.0.10 github.com/AudriusButkevicius/recli v0.0.6 - github.com/alecthomas/kong v0.2.17 - github.com/bkaradzic/go-lz4 v0.0.0-20160924222819-7224d8d8f27e + github.com/alecthomas/kong v0.3.0 github.com/calmh/xdr v1.1.0 github.com/ccding/go-stun v0.1.3 github.com/certifi/gocertifi v0.0.0-20210507211836-431795d63e8d // indirect @@ -17,7 +16,6 @@ github.com/getsentry/raven-go v0.2.0 github.com/go-asn1-ber/asn1-ber v1.5.3 // indirect github.com/go-ldap/ldap/v3 v3.4.1 - github.com/go-ole/go-ole v1.2.6-0.20210915003542-8b1f7f90f6b1 // indirect github.com/gobwas/glob v0.2.3 github.com/gogo/protobuf v1.3.2 github.com/golang/groupcache v0.0.0-20210331224755-41bb18bfe9da @@ -30,28 +28,29 @@ github.com/kballard/go-shellquote v0.0.0-20180428030007-95032a82bc51 github.com/klauspost/cpuid/v2 v2.0.9 // indirect github.com/lib/pq v1.10.3 - github.com/lucas-clemente/quic-go v0.24.0 + github.com/lucas-clemente/quic-go v0.25.0 github.com/maruel/panicparse v1.6.1 github.com/maxbrunsfeld/counterfeiter/v6 v6.3.0 github.com/minio/sha256-simd v1.0.0 github.com/miscreant/miscreant.go v0.0.0-20200214223636-26d376326b75 github.com/oschwald/geoip2-golang v1.5.0 + github.com/pierrec/lz4/v4 v4.1.13 github.com/pkg/errors v0.9.1 github.com/prometheus/client_golang v1.11.0 github.com/prometheus/common v0.30.0 // indirect github.com/prometheus/procfs v0.7.3 // indirect github.com/rcrowley/go-metrics v0.0.0-20201227073835-cf1acfcdf475 github.com/sasha-s/go-deadlock v0.3.1 - github.com/shirou/gopsutil/v3 v3.21.8 + github.com/shirou/gopsutil/v3 v3.21.12 github.com/syncthing/notify v0.0.0-20210616190510-c6b7342338d2 github.com/syndtr/goleveldb v1.0.1-0.20200815071216-d9e9293bd0f7 - github.com/thejerf/suture/v4 v4.0.1 + github.com/thejerf/suture/v4 v4.0.2 github.com/urfave/cli v1.22.5 github.com/vitrun/qart v0.0.0-20160531060029-bf64b92db6b0 golang.org/x/crypto v0.0.0-20210921155107-089bfa567519 golang.org/x/mod v0.5.1 // indirect golang.org/x/net v0.0.0-20210924151903-3ad01bbaa167 - golang.org/x/sys v0.0.0-20210925032602-92d5a993a665 + golang.org/x/sys v0.0.0-20211013075003-97ac67df715c golang.org/x/text v0.3.7 golang.org/x/time v0.0.0-20210723032227-1f47c861a9ac golang.org/x/tools v0.1.6 diff -Nru syncthing-1.18.6~ds1/go.sum syncthing-1.19.2~ds1/go.sum --- syncthing-1.18.6~ds1/go.sum 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/go.sum 2022-04-05 03:32:50.000000000 +0000 @@ -46,10 +46,10 @@ github.com/Azure/go-ntlmssp v0.0.0-20200615164410-66371956d46c/go.mod h1:chxPXzSsl7ZWRAuOIE23GDNzjWuZquvFlgA8xmpunjU= github.com/BurntSushi/toml v0.3.1/go.mod h1:xHWCNGjB5oqiDr8zfno3MHue2Ht5sIBksp03qcyfWMU= github.com/BurntSushi/xgb v0.0.0-20160522181843-27f122750802/go.mod h1:IVnqGOEym/WlBOVXweHU+Q+/VP0lqqI8lqeDx9IjBqo= -github.com/StackExchange/wmi v1.2.1 h1:VIkavFPXSjcnS+O8yTq7NI32k0R5Aj+v39y29VYDOSA= -github.com/StackExchange/wmi v1.2.1/go.mod h1:rcmrprowKIVzvc+NUiLncP2uuArMWLCbu9SBzvHz7e8= -github.com/alecthomas/kong v0.2.17 h1:URDISCI96MIgcIlQyoCAlhOmrSw6pZScBNkctg8r0W0= -github.com/alecthomas/kong v0.2.17/go.mod h1:ka3VZ8GZNPXv9Ov+j4YNLkI8mTuhXyr/0ktSlqIydQQ= +github.com/alecthomas/kong v0.3.0 h1:qOLFzu0dGPNz8z5TiXGzgW3gb3RXfWVJKeAxcghVW88= +github.com/alecthomas/kong v0.3.0/go.mod h1:uzxf/HUh0tj43x1AyJROl3JT7SgsZ5m+icOv1csRhc0= +github.com/alecthomas/repr v0.0.0-20210801044451-80ca428c5142 h1:8Uy0oSf5co/NZXje7U1z8Mpep++QJOldL2hs/sBQf48= +github.com/alecthomas/repr v0.0.0-20210801044451-80ca428c5142/go.mod h1:2kn6fqh/zIyPLmm3ugklbEi5hg5wS435eygvNfaDQL8= github.com/alecthomas/template v0.0.0-20160405071501-a0175ee3bccc/go.mod h1:LOuyumcjzFXgccqObfd/Ljyb9UuFJ6TxHnclSeseNhc= github.com/alecthomas/template v0.0.0-20190718012654-fb15b899a751/go.mod h1:LOuyumcjzFXgccqObfd/Ljyb9UuFJ6TxHnclSeseNhc= github.com/alecthomas/units v0.0.0-20151022065526-2efee857e7cf/go.mod h1:ybxpYRFXyAe+OPACYpWeL0wqObRcbAqCMya13uyzqw0= @@ -60,8 +60,6 @@ github.com/beorn7/perks v1.0.0/go.mod h1:KWe93zE9D1o94FZ5RNwFwVgaQK1VOXiVxmqh+CedLV8= github.com/beorn7/perks v1.0.1 h1:VlbKKnNfV8bJzeqoa4cOKqO6bYr3WgKZxO8Z16+hsOM= github.com/beorn7/perks v1.0.1/go.mod h1:G2ZrVWU2WbWT9wwq4/hrbKbnv/1ERSJQ0ibhJ6rlkpw= -github.com/bkaradzic/go-lz4 v0.0.0-20160924222819-7224d8d8f27e h1:2augTYh6E+XoNrrivZJBadpThP/dsvYKj0nzqfQ8tM4= -github.com/bkaradzic/go-lz4 v0.0.0-20160924222819-7224d8d8f27e/go.mod h1:0YdlkowM3VswSROI7qDxhRvJ3sLhlFrRRwjwegp5jy4= github.com/bradfitz/go-smtpd v0.0.0-20170404230938-deb6d6237625/go.mod h1:HYsPBTaaSFSlLx/70C2HPIMNZpVV8+vt/A+FMnYP11g= github.com/buger/jsonparser v0.0.0-20181115193947-bf1c66bbce23/go.mod h1:bbYlZJ7hK1yFx9hf58LP0zeX7UjIGs20ufpu3evjr+s= github.com/calmh/xdr v1.1.0 h1:U/Dd4CXNLoo8EiQ4ulJUXkgO1/EyQLgDKLgpY1SOoJE= @@ -124,9 +122,8 @@ github.com/go-logfmt/logfmt v0.3.0/go.mod h1:Qt1PoO58o5twSAckw1HlFXLmHsOX5/0LbT9GBnD5lWE= github.com/go-logfmt/logfmt v0.4.0/go.mod h1:3RMwSq7FuexP4Kalkev3ejPJsZTpXXBr9+V4qmtdjCk= github.com/go-logfmt/logfmt v0.5.0/go.mod h1:wCYkCAKZfumFQihp8CzCvQ3paCTfi41vtzG1KdI/P7A= -github.com/go-ole/go-ole v1.2.5/go.mod h1:pprOEPIfldk/42T2oK7lQ4v4JSDwmV0As9GaiUsvbm0= -github.com/go-ole/go-ole v1.2.6-0.20210915003542-8b1f7f90f6b1 h1:4dntyT+x6QTOSCIrgczbQ+ockAEha0cfxD5Wi0iCzjY= -github.com/go-ole/go-ole v1.2.6-0.20210915003542-8b1f7f90f6b1/go.mod h1:pprOEPIfldk/42T2oK7lQ4v4JSDwmV0As9GaiUsvbm0= +github.com/go-ole/go-ole v1.2.6 h1:/Fpf6oFPoeFik9ty7siob0G6Ke8QvQEuVcuChpwXzpY= +github.com/go-ole/go-ole v1.2.6/go.mod h1:pprOEPIfldk/42T2oK7lQ4v4JSDwmV0As9GaiUsvbm0= github.com/go-stack/stack v1.8.0/go.mod h1:v0f6uXyyMGvRgIKkXu+yp6POWl0qKG85gN/melR3HDY= github.com/go-task/slim-sprig v0.0.0-20210107165309-348f09dbbbc0 h1:p104kn46Q8WdvHunIJ9dAyjPVtrBPhSr3KT2yUst43I= github.com/go-task/slim-sprig v0.0.0-20210107165309-348f09dbbbc0/go.mod h1:fyg7847qk6SyHyPtNmDHnmrv/HOrqktSC+C9fM+CJOE= @@ -181,8 +178,9 @@ github.com/google/go-cmp v0.5.0/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.1/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-cmp v0.5.4/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= -github.com/google/go-cmp v0.5.5 h1:Khx7svrCpmxxtHBq5j2mp/xVjsi8hQMfNLvJFAlrGgU= github.com/google/go-cmp v0.5.5/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= +github.com/google/go-cmp v0.5.6 h1:BKbKCqvP6I+rmFHt06ZmyQtvB8xAkWdhFyr0ZUNZcxQ= +github.com/google/go-cmp v0.5.6/go.mod h1:v8dTdLbMG2kIc/vJvl+f65V22dbkXbowE6jgT/gNBxE= github.com/google/go-github v17.0.0+incompatible/go.mod h1:zLgOLi98H3fifZn+44m+umXrS52loVEgC2AApnigrVQ= github.com/google/go-querystring v1.0.0/go.mod h1:odCYkC5MyYFN7vkCjXpyrEuKhc/BUO6wN/zVPAxq5ck= github.com/google/gofuzz v1.0.0/go.mod h1:dBl0BpW6vV/+mYPU4Po3pmUjxk6FQPldtuIdl/M65Eg= @@ -242,8 +240,9 @@ github.com/lib/pq v1.10.3 h1:v9QZf2Sn6AmjXtQeFpdoq/eaNtYP6IN+7lcrygsIAtg= github.com/lib/pq v1.10.3/go.mod h1:AlVN5x4E4T544tWzH6hKfbfQvm3HdbOxrmggDNAPY9o= github.com/lucas-clemente/quic-go v0.22.0/go.mod h1:vF5M1XqhBAHgbjKcJOXY3JZz3GP0T3FQhz/uyOUS38Q= -github.com/lucas-clemente/quic-go v0.24.0 h1:ToR7SIIEdrgOhgVTHvPgdVRJfgVy+N0wQAagH7L4d5g= -github.com/lucas-clemente/quic-go v0.24.0/go.mod h1:paZuzjXCE5mj6sikVLMvqXk8lJV2AsqtJ6bDhjEfxx0= +github.com/lucas-clemente/quic-go v0.25.0 h1:K+X9Gvd7JXsOHtU0N2icZ2Nw3rx82uBej3mP4CLgibc= +github.com/lucas-clemente/quic-go v0.25.0/go.mod h1:YtzP8bxRVCBlO77yRanE264+fY/T2U9ZlW1AaHOsMOg= +github.com/lufia/plan9stats v0.0.0-20211012122336-39d0f177ccd0/go.mod h1:zJYVVT2jmtg6P3p1VtQj7WsuWi/y4VnjVBn7F8KPB3I= github.com/lunixbochs/vtclean v1.0.0/go.mod h1:pHhQNgMf3btfWnGBVipUOjRYhoOsdGqdm/+2c2E2WMI= github.com/mailru/easyjson v0.0.0-20190312143242-1de009706dbe/go.mod h1:C1wdFJiN94OJF2b5HbByQZoLdCWB1Yqtg26g4irojpc= github.com/marten-seemann/qpack v0.2.1/go.mod h1:F7Gl5L1jIgN1D11ucXefiuJS9UMVP2opoCp2jDKb7wc= @@ -254,6 +253,8 @@ github.com/marten-seemann/qtls-go1-17 v0.1.0-rc.1/go.mod h1:fz4HIxByo+LlWcreM4CZOYNuz3taBQ8rN2X6FqvaWo8= github.com/marten-seemann/qtls-go1-17 v0.1.0 h1:P9ggrs5xtwiqXv/FHNwntmuLMNq3KaSIG93AtAZ48xk= github.com/marten-seemann/qtls-go1-17 v0.1.0/go.mod h1:fz4HIxByo+LlWcreM4CZOYNuz3taBQ8rN2X6FqvaWo8= +github.com/marten-seemann/qtls-go1-18 v0.1.0-beta.1 h1:EnzzN9fPUkUck/1CuY1FlzBaIYMoiBsdwTNmNGkwUUM= +github.com/marten-seemann/qtls-go1-18 v0.1.0-beta.1/go.mod h1:PUhIQk19LoFt2174H4+an8TYvWOGjb/hHwphBeaDHwI= github.com/maruel/panicparse v1.6.1 h1:803MjBzGcUgE1vYgg3UMNq3G1oyYeKkMu3t6hBS97x0= github.com/maruel/panicparse v1.6.1/go.mod h1:uoxI4w9gJL6XahaYPMq/z9uadrdr1SyHuQwV2q80Mm0= github.com/maruel/panicparse/v2 v2.1.1/go.mod h1:AeTWdCE4lcq8OKsLb6cHSj1RWHVSnV9HBCk7sKLF4Jg= @@ -299,12 +300,16 @@ github.com/oschwald/maxminddb-golang v1.8.0/go.mod h1:RXZtst0N6+FY/3qCNmZMBApR19cdQj43/NM9VkrNAis= github.com/petermattis/goid v0.0.0-20180202154549-b0b1615b78e5 h1:q2e307iGHPdTGp0hoxKjt1H5pDo6utceo3dQVK3I5XQ= github.com/petermattis/goid v0.0.0-20180202154549-b0b1615b78e5/go.mod h1:jvVRKCrJTQWu0XVbaOlby/2lO20uSCHEMzzplHXte1o= +github.com/pierrec/lz4/v4 v4.1.13 h1:/OvL3gfLjTf7nEATCYFLe4VeorMGI3nhLU5eb8FnEjU= +github.com/pierrec/lz4/v4 v4.1.13/go.mod h1:gZWDp/Ze/IJXGXf23ltt2EXimqmTUXEy0GFuRQyBid4= github.com/pkg/errors v0.8.0/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/errors v0.8.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4= github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0= github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM= github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= +github.com/power-devops/perfstat v0.0.0-20210106213030-5aafc221ea8c h1:ncq/mPwQF4JjgDlrVEn3C11VoGHZN7m8qihwgMEtzYw= +github.com/power-devops/perfstat v0.0.0-20210106213030-5aafc221ea8c/go.mod h1:OmDBASR4679mdNQnz2pUhc2G8CO2JrUAVFDRBDP/hJE= github.com/prometheus/client_golang v0.8.0/go.mod h1:7SWBe2y4D6OKWSNQJUaRYU/AaXPKyh/dDVn+NZz0KFw= github.com/prometheus/client_golang v0.9.1/go.mod h1:7SWBe2y4D6OKWSNQJUaRYU/AaXPKyh/dDVn+NZz0KFw= github.com/prometheus/client_golang v1.0.0/go.mod h1:db9x61etRT2tGnBNRi70OPL5FsnadC4Ky3P0J6CfImo= @@ -342,8 +347,8 @@ github.com/sclevine/spec v1.4.0 h1:z/Q9idDcay5m5irkZ28M7PtQM4aOISzOpj4bUPkDee8= github.com/sclevine/spec v1.4.0/go.mod h1:LvpgJaFyvQzRvc1kaDs0bulYwzC70PbiYjC4QnFHkOM= github.com/sergi/go-diff v1.0.0/go.mod h1:0CfEIISq7TuYL3j771MWULgwwjU+GofnZX9QAmXWZgo= -github.com/shirou/gopsutil/v3 v3.21.8 h1:nKct+uP0TV8DjjNiHanKf8SAuub+GNsbrOtM9Nl9biA= -github.com/shirou/gopsutil/v3 v3.21.8/go.mod h1:YWp/H8Qs5fVmf17v7JNZzA0mPJ+mS2e9JdiUF9LlKzQ= +github.com/shirou/gopsutil/v3 v3.21.12 h1:VoGxEW2hpmz0Vt3wUvHIl9fquzYLNpVpgNNB7pGJimA= +github.com/shirou/gopsutil/v3 v3.21.12/go.mod h1:BToYZVTlSVlfazpDDYFnsVZLaoRG+g8ufT6fPQLdJzA= github.com/shurcooL/component v0.0.0-20170202220835-f88ec8f54cc4/go.mod h1:XhFIlyj5a1fBNx5aJTbKoIq0mNaPvOagO+HjB3EtxrY= github.com/shurcooL/events v0.0.0-20181021180414-410e4ca65f48/go.mod h1:5u70Mqkb5O5cxEA8nxTsgrgLehJeAw6Oc4Ab1c/P1HM= github.com/shurcooL/github_flavored_markdown v0.0.0-20181002035957-2122de532470/go.mod h1:2dOwnU2uBioM+SGy2aZoq1f/Sd1l9OkAeAUvjSyvgU0= @@ -386,8 +391,8 @@ github.com/syndtr/goleveldb v1.0.1-0.20200815071216-d9e9293bd0f7 h1:udtnv1cokhJYqnUfCMCppJ71bFN9VKfG1BQ6UsYZnx8= github.com/syndtr/goleveldb v1.0.1-0.20200815071216-d9e9293bd0f7/go.mod h1:u2MKkTVTVJWe5D1rCvame8WqhBd88EuIwODJZ1VHCPM= github.com/tarm/serial v0.0.0-20180830185346-98f6abe2eb07/go.mod h1:kDXzergiv9cbyO7IOYJZWg1U88JhDg3PB6klq9Hg2pA= -github.com/thejerf/suture/v4 v4.0.1 h1:CLnC1wxLAiHA5zTbbvhSWMupVuGe5ZJ7YddWE3lvb4M= -github.com/thejerf/suture/v4 v4.0.1/go.mod h1:g0e8vwskm9tI0jRjxrnA6lSr0q6OfPdWJVX7G5bVWRs= +github.com/thejerf/suture/v4 v4.0.2 h1:VxIH/J8uYvqJY1+9fxi5GBfGRkRZ/jlSOP6x9HijFQc= +github.com/thejerf/suture/v4 v4.0.2/go.mod h1:g0e8vwskm9tI0jRjxrnA6lSr0q6OfPdWJVX7G5bVWRs= github.com/tklauser/go-sysconf v0.3.9/go.mod h1:11DU/5sG7UexIrp/O6g35hrWzu0JxlwQ3LSFUzyeuhs= github.com/tklauser/numcpus v0.3.0/go.mod h1:yFGUr7TUHQRAhyqBcEg0Ge34zDBAsIvJJcyE6boqnA8= github.com/urfave/cli v1.20.0/go.mod h1:70zkFmudgCuE/ngEzBv17Jvp/497gISqfk5gWijbERA= @@ -403,6 +408,8 @@ github.com/yuin/goldmark v1.2.1/go.mod h1:3hX8gzYuyVAZsxl0MRgGTJEmQBFcNTphYh9decYSb74= github.com/yuin/goldmark v1.3.5/go.mod h1:mwnBkeHKe2W/ZEtQ+71ViKU8L12m81fl3OWwC1Zlc8k= github.com/yuin/goldmark v1.4.0/go.mod h1:mwnBkeHKe2W/ZEtQ+71ViKU8L12m81fl3OWwC1Zlc8k= +github.com/yusufpapurcu/wmi v1.2.2 h1:KBNDSne4vP5mbSWnJbO+51IMOXJB67QiYCSBrubbPRg= +github.com/yusufpapurcu/wmi v1.2.2/go.mod h1:SBZ9tNy3G9/m5Oi98Zks0QjeHVDvuK0qfxQmPyzfmi0= go.opencensus.io v0.18.0/go.mod h1:vKdFvxhtzZ9onBp9VKHK8z/sRpBMnKAsufL7wlDrCOA= go.opencensus.io v0.21.0/go.mod h1:mSImk1erAIZhrmZN+AvHh14ztQfjbGwt4TtuofqLduU= go.opencensus.io v0.22.0/go.mod h1:+kGneAE2xo2IficOXnaByMWTGM9T73dGwxeWcUqIpI8= @@ -569,6 +576,7 @@ golang.org/x/sys v0.0.0-20200814200057-3d37ad5750ed/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20200930185726-fdedc70b468f/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20201119102817-f84b799fce68/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= +golang.org/x/sys v0.0.0-20201204225414-ed752295db88/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20210112080510-489259a85091/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20210124154548-22da62e12c0c/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= golang.org/x/sys v0.0.0-20210330210617-4fbd30eecc44/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs= @@ -579,8 +587,8 @@ golang.org/x/sys v0.0.0-20210630005230-0f9fa26af87c/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/sys v0.0.0-20210809222454-d867a43fc93e/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/sys v0.0.0-20210816074244-15123e1e1f71/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= -golang.org/x/sys v0.0.0-20210925032602-92d5a993a665 h1:QOQNt6vCjMpXE7JSK5VvAzJC1byuN3FgTNSBwf+CJgI= -golang.org/x/sys v0.0.0-20210925032602-92d5a993a665/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= +golang.org/x/sys v0.0.0-20211013075003-97ac67df715c h1:taxlMj0D/1sOAuv/CbSD+MMDof2vbyPTqz5FNYKpXt8= +golang.org/x/sys v0.0.0-20211013075003-97ac67df715c/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg= golang.org/x/term v0.0.0-20201126162022-7de9c90e9dd1/go.mod h1:bj7SfCRtBDWHUb9snDiAeCFNEtKQo2Wmx5Cou7ajbmo= golang.org/x/text v0.0.0-20170915032832-14c0d48ead0c/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= diff -Nru syncthing-1.18.6~ds1/gui/black/assets/css/theme.css syncthing-1.19.2~ds1/gui/black/assets/css/theme.css --- syncthing-1.18.6~ds1/gui/black/assets/css/theme.css 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/black/assets/css/theme.css 2022-04-05 03:32:50.000000000 +0000 @@ -265,6 +265,11 @@ color: #222; } -.fancytree-title { - color: #aaa !important; +/* + * Fancytree tweaks + */ + +.fancytree-container tr:hover, +.fancytree-focused { + background-color: #222; } diff -Nru syncthing-1.18.6~ds1/gui/dark/assets/css/theme.css syncthing-1.19.2~ds1/gui/dark/assets/css/theme.css --- syncthing-1.18.6~ds1/gui/dark/assets/css/theme.css 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/dark/assets/css/theme.css 2022-04-05 03:32:50.000000000 +0000 @@ -277,6 +277,11 @@ color: #3fa9f0; } -.fancytree-title { - color: #aaa !important; +/* + * Fancytree tweaks + */ + +.fancytree-container tr:hover, +.fancytree-focused { + background-color: #424242; } diff -Nru syncthing-1.18.6~ds1/gui/default/assets/css/overrides.css syncthing-1.19.2~ds1/gui/default/assets/css/overrides.css --- syncthing-1.18.6~ds1/gui/default/assets/css/overrides.css 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/css/overrides.css 2022-04-05 03:32:50.000000000 +0000 @@ -166,16 +166,13 @@ display: none; } -*[language-select] > .dropdown-menu { +li[language-select] > .dropdown-menu { + column-count: 2; + column-gap: 0; width: 450px; } -*[language-select] > .dropdown-menu > li { - float: left; - width: 50%; -} - -*[language-select] > .dropdown-menu > li > a { +li[language-select] > .dropdown-menu > li > a { overflow: hidden; text-overflow: ellipsis; } @@ -304,6 +301,62 @@ z-index: 980; } +/* + * Restore Versions tweaks + */ + +#restoreTree-container { + overflow-y: scroll; + resize: vertical; + /* Limit height to prevent vertical screen overflow. */ + max-height: calc(100vh - 390px); + /* Always fit at least one folder with dropdown open. */ + min-height: 136px; +} +@media (min-width: 768px) { + #restoreTree-container { + max-height: calc(100vh - 401px); + } +} +@media (min-width: 992px) { + #restoreTree-container { + max-height: calc(100vh - 333px); + } +} + +/* Ignore fixed height when manually resized. */ +#restoreTree-container[style*="height"] { + max-height: none; +} + +/* Remove table outline as rows have own focus style already. */ +#restoreTree:focus { + outline: 0; +} + +/* Align dropdown with title first line. */ +#restoreTree td + td { + padding-top: 4px; + vertical-align: top; +} + +/* Reduce space between toggle and menu on mobile. */ +#restoreTree .dropdown-toggle { + margin-bottom: 0; +} + +/* Change direction to remain on screen on mobile. */ +#restoreTree .dropdown-menu { + left: auto; + right: 0; +} + +/* Ensure maximum space for filtering and date range. */ +#restoreVersions .form-group, +#restoreVersions .form-control { + width: 100%; +} + /** Footer nav on small devices **/ @media (max-width: 1199px) { /* Stay at the end of the page, with space reserved for the footer @@ -351,17 +404,19 @@ border-radius: 2px; } - *[language-select] { + li[language-select] { position: static !important; } - *[language-select] > .dropdown-menu { + li[language-select] > .dropdown-menu { + column-count: auto; margin-left: 15px; margin-right: 15px; margin-top: -12px !important; max-width: 450px; - height: 265px; overflow-y: scroll; + /* height of 5.5 elements + negative margin-top */ + height: 276px; } table.table-condensed td, @@ -397,10 +452,6 @@ padding-top: 10px; } -.fancytree-ext-table { - width: 100% !important; -} - @media (max-width: 419px) { /* the selectors are build to target only the content of folder and device panels as it would "destroy" e.g. out of sync or recent changes listings */ @@ -421,12 +472,18 @@ width: 100%; } - /* all buttons, except panel headings, get bottom margin, as they won't fit - beside each other anymore */ + /* All buttons, except panel headings, get bottom margin, as they + won't fit beside each other anymore. Reduce footer padding to + compensate for the margin. */ .btn:not(.panel-heading), - /* this "+"-selector is needed to override some bootstrap defaults */ .btn:not(.panel-heading) + .btn:not(.panel-heading) { - margin-bottom: 1rem; + margin-bottom: 10px; + } + .panel-footer { + padding-bottom: 0; + } + .modal-footer { + padding-bottom: 5px; } } @@ -449,3 +506,10 @@ padding-top: 6px; padding-bottom: 6px; } + +/* CJK languages don't use italic at all, hence don't force it on them. */ +html[lang|="zh"] i, +html[lang="ja"] i, +html[lang|="ko"] i { + font-style: normal; +} diff -Nru syncthing-1.18.6~ds1/gui/default/assets/css/tree.css syncthing-1.19.2~ds1/gui/default/assets/css/tree.css --- syncthing-1.18.6~ds1/gui/default/assets/css/tree.css 1970-01-01 00:00:00.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/css/tree.css 2022-04-05 03:32:50.000000000 +0000 @@ -0,0 +1,58 @@ +/* +// Copyright (C) 2021 The Syncthing Authors. +// +// This Source Code Form is subject to the terms of the Mozilla Public +// License, v. 2.0. If a copy of the MPL was not distributed with this file, +// You can obtain one at https://mozilla.org/MPL/2.0/. + +*/ + +.fancytree-container { + cursor: pointer; + width: 100%; +} + +.fancytree-hide { + visibility: collapse; +} + +/* Node needs to be block, and expander, icon and title + inline-block to properly wrap unbreakable text. */ +.fancytree-node { + display: block; + white-space: nowrap; + /* expander 16px + icon 16px + title padding 8px */ + padding-right: 40px; +} +.fancytree-expander, +.fancytree-icon, +.fancytree-title { + display: inline-block; +} + +.fancytree-expander, +.fancytree-icon { + margin-top: 4px; + vertical-align: top; + width: 16px; +} + +.fancytree-childcounter { + background: #777; + border-radius: 10px; + border: 1px solid gray; + color: #fff; + font-size: 13px; + opacity: .75; + padding: 2px 3px; + position: relative; + right: 8px; + top: -9px; + user-select: none; +} + +.fancytree-title { + padding-left: 8px; + white-space: normal; + word-break: break-all; +} diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-bg.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-bg.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-bg.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-bg.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Добавяне на папка", "Add Remote Device": "Добавяне на устройство", "Add devices from the introducer to our device list, for mutually shared folders.": "Добавяйте устройства през поръчителите за взаимно споделени папки.", + "Add ignore patterns": "Добавяне на шаблони за пренебрегване", "Add new folder?": "Добавяне на тази папка?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Също така интервалът за повторно обхождане ще бъде увеличен (60 пъти, пр. новият интервал бъде 1ч). Освен това може да го зададете и ръчно за всяка папка след като изберете Не.", "Address": "Адрес", @@ -18,13 +19,16 @@ "Advanced": "Разширени", "Advanced Configuration": "Разширени настройки", "All Data": "Всички данни", + "All Time": "През цялото време", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Всички папки, споделени с устройството трябва да бъдат защитени с парола, така че данните да са недостъпни без нея.", "Allow Anonymous Usage Reporting?": "Разрешаване на анонимното отчитане на употребата?", "Allowed Networks": "Разрешени мрежи", "Alphabetic": "Азбучен ред", + "Altered by ignoring deletes.": "Пренебрегнати са премахнати файлове.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Външна команда управлява версиите. Тя трябва да премахне файла от синхронизираната папка. Ако в пътя до приложението има интервали, то той трябва да бъде поставен в кавички.", "Anonymous Usage Reporting": "Анонимно отчитане на употреба", "Anonymous usage report format has changed. Would you like to move to the new format?": "Форматът на данните за анонимно отчитане на употреба е променен. Желаете ли да използвате него вместо стария?", + "Apply": "Прилагане", "Are you sure you want to continue?": "Сигурни ли сте, че желаете да продължите?", "Are you sure you want to override all remote changes?": "Сигурни ли сте, че желаете да отмените всички промени, направени отдалечено?", "Are you sure you want to permanently delete all these files?": "Сигурни ли сте, че желаете всички тези файлове да бъдат безвъзвратно премахнати?", @@ -58,12 +62,13 @@ "Connection Error": "Грешка при осъществяване на връзка", "Connection Type": "Вид на връзката", "Connections": "Връзки", - "Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.": "Syncthing вече разполага с постоянно наблюдение за промени. Така се забелязват промените на дисковото устройство и се обхождат само променените папки. Ползите са, че промените се разпространяват по-бързо и с по-малко на брой пълни обхождания.", + "Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.": "Syncthing вече разполага с постоянно наблюдение за промени. Така се отчитат промените на дисковото устройство и се обхождат само повлияните папки. Ползите са, че промените се разпространяват по-бързо и с по-малко на брой пълни обхождания.", "Copied from elsewhere": "Копирано от другаде", "Copied from original": "Копирано от източника", "Copyright © 2014-2019 the following Contributors:": "Всички права запазени © 2014-2019 за следните сътрудници:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "При създаване на шаблони за пренебрегване, съществуващият файл „{{path}}“ ще бъде презаписан.", "Currently Shared With Devices": "Устройства, с които е споделена", + "Custom Range": "В периода", "Danger!": "Опасност!", "Debugging Facilities": "Отстраняване на дефекти", "Default Configuration": "Настройки по подразбиране", @@ -126,13 +131,14 @@ "Error": "Грешка", "External File Versioning": "Външно управление на версии", "Failed Items": "Елементи с грешка", + "Failed to load file versions.": "Грешка при зареждане на версии.", "Failed to load ignore patterns.": "Грешка при зареждане на шаблони за пренебрегване.", "Failed to setup, retrying": "Грешка при настройване, извършва се повторен опит", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Неуспешна връзка към сървъри по IPv6 може да се очаква ако няма свързаност по IPv6.", "File Pull Order": "Ред на изтегляне", "File Versioning": "Версии на файловете", "Files are moved to .stversions directory when replaced or deleted by Syncthing.": "Файловете биват преместени в папка .stversions при заменяне или изтриване от Syncthing.", - "Files are moved to date stamped versions in a .stversions directory when replaced or deleted by Syncthing.": "Когато Syncthing замени или изтрие файл той бива преместен в папката .stversions и преименуван - с добавяне на датата и часа.", + "Files are moved to date stamped versions in a .stversions directory when replaced or deleted by Syncthing.": "Когато Syncthing замени или изтрие файл той бива преместен в папката .stversions и преименуван чрез добавяне на датата и часа.", "Files are protected from changes made on other devices, but changes made on this device will be sent to the rest of the cluster.": "Предпазва местните файлове от промени, идващи от другите устройства, но местните промени се изпращат.", "Files are synchronized from the cluster, but any changes made locally will not be sent to other devices.": "Файловете се синхронизират от другите устройства, но местните промени не се изпращат.", "Filesystem Watcher Errors": "Грешка при наблюдаване на файловата система", @@ -168,6 +174,7 @@ "Ignore": "Пренебрегване", "Ignore Patterns": "Шаблони за пренебрегване", "Ignore Permissions": "Пренебрегване на права", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Шаблони за пренебрегване могат да бъдат добавяни след като папката бъде създадена. Ако е отметнато, след запазване ще бъде показано текстово поле за шаблоните.", "Ignored Devices": "Пренебрегнати устройства", "Ignored Folders": "Пренебрегнати папки", "Ignored at": "Пренебрегнато на", @@ -179,6 +186,9 @@ "Keep Versions": "Пазени версии", "LDAP": "LDAP", "Largest First": " Първо най-големи", + "Last 30 Days": "Последните 30 дена", + "Last 7 Days": "Последните 7 дена", + "Last Month": "Миналия месец", "Last Scan": "Последно обхождане", "Last seen": "Последно видяно", "Latest Change": "Последна промяна", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Изберете папките, които да споделите с устройството.", "Send & Receive": "Изпраща и получава", "Send Only": "Само изпраща", + "Set Ignores on Added Folder": "Добавяне на шаблони за пренебрегване", "Settings": "Настройки", "Share": "Споделяне", "Share Folder": "Споделяне на папка", @@ -360,7 +371,7 @@ "The interval must be a positive number of seconds.": "Интервалът трябва да е положителен брой секунди.", "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "Интервал, в секунди, на почистване на папката с версии. Нула изключва периодичното почистване.", "The maximum age must be a number and cannot be blank.": "Максималната възраст трябва да е число, полето не може да бъде празно.", - "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "Максималното време за пазене на версия (в дни, задайте 0 за да не бъдат изтривани версии).", + "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "Максимална продължителност за пазене на версия (в дни, за да не бъдат изтривани версии задайте 0).", "The number of days must be a number and cannot be blank.": "Броят дни трябва да бъде число и не може да бъде празно.", "The number of days to keep files in the trash can. Zero means forever.": "Брой дни за пазене на файловете в кошчето. Нула значи завинаги.", "The number of old versions to keep, per file.": "Брой стари версии, които да бъдат пазени за всеки файл.", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Ограничението на скоростта трябва да бъде положително число (0: неограничено)", "The rescan interval must be a non-negative number of seconds.": "Интервалът на обхождане трябва да е положителен брой секунди.", "There are no devices to share this folder with.": "Няма устройства, с които да споделите папката.", + "There are no file versions to restore.": "Файлът няма версии, които да бъдат възстановени.", "There are no folders to share with this device.": "Няма папка, която да споделите с устройството.", "They are retried automatically and will be synced when the error is resolved.": "Ще бъдат спрени и автоматично синхронизирани, когато грешката бъде отстранена.", "This Device": "Това устройство", + "This Month": "Този месец", "This can easily give hackers access to read and change any files on your computer.": "Така се предоставя лесен достъп за четене и промяна на всеки файл на компютъра.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Устройството не може автоматично да открива други устройства или да обяви своя адрес, за да бъде намерено от другите. Само устройствата със статично настроени адреси могат да се свързват.", "This is a major version upgrade.": "Това е обновяване на значимо издание.", "This setting controls the free space required on the home (i.e., index database) disk.": "Тази настройка управлява нужното свободното място на основния (пр. този с банката от данни) диск.", "Time": "Време", "Time the item was last modified": "Час на последна промяна на елемента", + "Today": "Днес", "Trash Can File Versioning": "Версии от вида „кошче за отпадъци“", + "Twitter": "Twitter", "Type": "Вид", "UNIX Permissions": "Права на UNIX", "Unavailable": "Няма налични", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Когато добавяте ново устройство имайте предвид, че то също трябва да бъде добавено от другата страна.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Като добавяте папката имайте предвид, че той се използва за еднозначно указване на папката между устройствата. Има разлика в регистъра на знаците и трябва изцяло да съвпада между всички устройства.", "Yes": "Да", + "Yesterday": "Вчера", "You can also select one of these nearby devices:": "Също така може да изберете едно от устройствата, които се намират наблизо:", "You can change your choice at any time in the Settings dialog.": "Може да промените решението си по всяко време в прозореца Настройки.", "You can read more about the two release channels at the link below.": "Може да научите повече за двата канала на издание, следвайки препратката по-долу.", @@ -436,6 +452,10 @@ "full documentation": "пълна документация", "items": "елемента", "seconds": "секунди", + "theme-name-black": "Черна", + "theme-name-dark": "Тъмна", + "theme-name-default": "По подразбиране", + "theme-name-light": "Светла", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} споделя папката „{{folder}}“.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} споделя папката „{{folder}}“. ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "Поръчителят {{reintroducer}} може отново да предложи това устройство." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ca@valencia.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ca@valencia.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ca@valencia.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ca@valencia.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Afegir carpeta", "Add Remote Device": "Afegir Dispositiu Remot.", "Add devices from the introducer to our device list, for mutually shared folders.": "Afegir dispositius des-de l'introductor a la nostra llista de dispositius, per a tindre carpetes compartides mútuament", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Afegir nova carpeta?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Adicionalment s'augmentarà l'interval d'escaneig complet (times 60, per exemple, ficarà el nou temps per defecte a 1 hora). També pots configurar-ho manualment per a cada carpeta més tard elegint No.", "Address": "Direcció", @@ -18,13 +19,16 @@ "Advanced": "Avançat", "Advanced Configuration": "Configuració avançada", "All Data": "Totes les dades", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Permetre informes d'ús anònim?", "Allowed Networks": "Xarxes permeses", "Alphabetic": "Alfabètic", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Un comandament extern maneja el versionat. És necessari eliminar el fitxer de la carpeta compartida. Si la ruta a l'aplicació conté espais, hi ha que ficar-los entre cometes.", "Anonymous Usage Reporting": "Informe d'ús anònim", "Anonymous usage report format has changed. Would you like to move to the new format?": "El format del informe anònim d'ús ha canviat. Vols canviar al nou format?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 els següents Col·laboradors:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Creant patrons a ignorar, sobreescriguent un fitxer que ja existeix a {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Perill!", "Debugging Facilities": "Utilitats de Depuració", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Error", "External File Versioning": "Versionat extern de fitxers", "Failed Items": "Objectes fallits", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Errada en la configuració, reintentant", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "És possible que es produïsca una fallada al connectar als servidors IPv6 si no hi ha connectivitat IPv6.", @@ -168,6 +174,7 @@ "Ignore": "Ignorar", "Ignore Patterns": "Patrons a ignorar", "Ignore Permissions": "Permisos a ignorar", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Dispositius Ignorats", "Ignored Folders": "Carpetes Ignorades", "Ignored at": "Ignorat en", @@ -179,6 +186,9 @@ "Keep Versions": "Mantindre versions", "LDAP": "LDAP", "Largest First": "El més gran primer", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Últim escaneig", "Last seen": "Vist per última vegada", "Latest Change": "Últim Canvi", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Selecciona les carpetes per a compartir amb aquest dispositiu.", "Send & Receive": "Enviar i Rebre", "Send Only": "Enviar Solament", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Ajustos", "Share": "Compartir", "Share Folder": "Compartir carpeta", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "El llímit del ritme deu ser un nombre no negatiu (0: sense llímit)", "The rescan interval must be a non-negative number of seconds.": "L'interval de reescaneig deu ser un nombre positiu de segons.", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "Es reintenta automàticament i es sincronitzaràn quant el resolga l'error.", "This Device": "Aquest Dispositiu", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Açò pot donar accés fàcilment als hackers per a llegir i canviar qualsevol fitxer al teu ordinador.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Aquesta és una actualització important de la versió.", "This setting controls the free space required on the home (i.e., index database) disk.": "Aquest ajust controla l'espai lliure requerit en el disc inicial (per exemple, la base de dades de l'index).", "Time": "Temps", "Time the item was last modified": "Hora a la que l'ítem fou modificat per última vegada", + "Today": "Today", "Trash Can File Versioning": "Versionat d'arxius de la paperera", + "Twitter": "Twitter", "Type": "Tipus", "UNIX Permissions": "UNIX Permissions", "Unavailable": "No disponible", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Quant s'afig un nou dispositiu, hi ha que tindre en compte que aquest dispositiu deu ser afegit també en l'altre costat.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Quant s'afig una nova carpeta, hi ha que tindre en compte que l'ID de la carpeta s'utilitza per a juntar les carpetes entre dispositius. Són sensibles a les majúscules i deuen coincidir exactament entre tots els dispositius.", "Yes": "Sí", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Pots seleccionar també un d'aquestos dispositius propers:", "You can change your choice at any time in the Settings dialog.": "Pots canviar la teua elecció en qualsevol moment en el dialog Ajustos", "You can read more about the two release channels at the link below.": "Pots llegir més sobre els dos canals de versions en l'enllaç de baix.", @@ -436,6 +452,10 @@ "full documentation": "Documentació completa", "items": "Elements", "seconds": "seconds", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} vol compartit la carpeta \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} vol compartir la carpeta \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-cs.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-cs.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-cs.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-cs.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Přidat složku", "Add Remote Device": "Přidat vzdálené zařízení", "Add devices from the introducer to our device list, for mutually shared folders.": "Přidat zařízení z uvaděče do místního seznamu zařízení a získat tak vzájemně sdílené složky.", + "Add ignore patterns": "Přidat vzory ignorovaného", "Add new folder?": "Přidat novou složku?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Dále bude prodloužen interval mezi plnými skeny (60krát, t.j. nová výchozí hodnota 1h). V případě, že nyní zvolíte Ne, stále ještě toto později můžete u každé složky jednotlivě ručně upravit.", "Address": "Adresa", @@ -18,13 +19,16 @@ "Advanced": "Pokročilé", "Advanced Configuration": "Pokročilá nastavení", "All Data": "Všechna data", + "All Time": "Celou dobu", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Všechny složky sdílené s tímto zařízením musí být chráněna heslem, aby byla odesílaná data bez hesla nečitelná.", "Allow Anonymous Usage Reporting?": "Povolit anonymní hlášení o používání?", "Allowed Networks": "Sítě, ze kterých je umožněn přístup", "Alphabetic": "Abecední", + "Altered by ignoring deletes.": "Změněno pomocí vzorů ignorovaného", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Správu verzí obstarává externí příkaz. U toho je třeba, aby neaktuální soubory jím byly odsouvány pryč ze sdílené složky. Pokud popis umístění tohoto příkazu obsahuje mezeru, je třeba popis umístění uzavřít do uvozovek.", "Anonymous Usage Reporting": "Anonymní hlášení o používání", "Anonymous usage report format has changed. Would you like to move to the new format?": "Formát anonymního hlášení o používání byl změněn. Chcete přejít na nový formát?", + "Apply": "Apply", "Are you sure you want to continue?": "Skutečně si přejete pokračovat?", "Are you sure you want to override all remote changes?": "Skutečně si přejete přebít všechny vzdálené změny?", "Are you sure you want to permanently delete all these files?": "Skutečně chcete smazat všechny tyto soubory?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 následující přispěvatelé:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Vytvářejí se vzory ignorovaného a přepisuje se jimi existující soubor v {{path}}.", "Currently Shared With Devices": "Aktuálně sdíleno se zařízeními", + "Custom Range": "Přesný rozsah", "Danger!": "Nebezpečí!", "Debugging Facilities": "Nástroje pro ladění", "Default Configuration": "Výchozí nastavení", @@ -126,6 +131,7 @@ "Error": "Chyba", "External File Versioning": "Externí správa verzí souborů", "Failed Items": "Nezdařené položky", + "Failed to load file versions.": "Nepodařilo se nahrát verze souboru.", "Failed to load ignore patterns.": "Načtení vzorů ignorovaného se nezdařilo.", "Failed to setup, retrying": "Nastavování se nezdařilo, zkouší se znovu", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Je v pořádku, když připojení k IPv6 serverům nezdaří, pokud není k dispozici IPv6 konektivita.", @@ -168,6 +174,7 @@ "Ignore": "Ignorovat", "Ignore Patterns": "Vzory ignorovaného", "Ignore Permissions": "Ignorovat oprávnění", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Vzory ignorovaného lze přidat až po vytvoření složky. Pokud je zatrženo, budete vyzváni k zadání vzoru po uložení.", "Ignored Devices": "Ignorovaná zařízení", "Ignored Folders": "Ignorované složky", "Ignored at": "Ignorováno v", @@ -179,6 +186,9 @@ "Keep Versions": "Kolik verzí ponechávat", "LDAP": "LDAP", "Largest First": "Od největších", + "Last 30 Days": "Posledních 30 dní", + "Last 7 Days": "Posledních 7 dní", + "Last Month": "Poslední měsíc", "Last Scan": "Poslední sken", "Last seen": "Naposledy spatřen", "Latest Change": "Poslední změna", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Vybrat složky ke sdílení s tímto zařízením.", "Send & Receive": "Odesílací a přijímací", "Send Only": "Pouze odesílací", + "Set Ignores on Added Folder": "Promítnout ignorování do přidané složky.", "Settings": "Nastavení", "Share": "Sdílet", "Share Folder": "Sdílet složku", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Je třeba, aby limit rychlosti bylo kladné číslo (0: bez limitu)", "The rescan interval must be a non-negative number of seconds.": "Je třeba, aby interval opakování skenování bylo kladné číslo.", "There are no devices to share this folder with.": "Nejsou žádná zařízení, se kterými lze sdílet tuto složku.", + "There are no file versions to restore.": "Žádné verze souboru k obnovení.", "There are no folders to share with this device.": "S tímto zařízením nejsou sdíleny žádné složky.", "They are retried automatically and will be synced when the error is resolved.": "Nové pokusy o synchronizaci budou probíhat automaticky a položky budou synchronizovány jakmile bude chyba odstraněna.", "This Device": "Toto zařízení", + "This Month": "Tento měsíc", "This can easily give hackers access to read and change any files on your computer.": "Toto může útočníkům jednoduše umožnit čtení a úpravy souborů na vašem počítači. ", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Toto zařízení nemůže automaticky objevovat ostatní zařízení ani oznamovat ostatním vlastní adresu. Připojit se mohou jen zařízení se staticky nastavenou adresou.", "This is a major version upgrade.": "Toto je velká aktualizace.", "This setting controls the free space required on the home (i.e., index database) disk.": "Toto nastavení ovládá velikost volného prostoru na hlavním datovém úložišti (to, na kterém je databáze rejstříku).", "Time": "Čas", "Time the item was last modified": "Čas poslední modifikace položky", + "Today": "Dnes", "Trash Can File Versioning": "Ponechávat jednu předchozí verzi (jako Koš) ", + "Twitter": "Twitter", "Type": "Typ", "UNIX Permissions": "UNIX oprávnění", "Unavailable": "Nedostupné", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Při přidávání nového zařízení mějte na paměti, že je ho třeba také zadat na druhé straně.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Při přidávání nové složky mějte na paměti, že její identifikátor je použit jako vazba mezi složkami napříč zařízeními. Rozlišují se malá a velká písmena a je třeba, aby přesně souhlasilo mezi všemi zařízeními.", "Yes": "Ano", + "Yesterday": "Včera", "You can also select one of these nearby devices:": "Také můžete vybrat jedno z těchto okolních zařízení:", "You can change your choice at any time in the Settings dialog.": "Vaši volbu můžete kdykoliv změnit v dialogu nastavení.", "You can read more about the two release channels at the link below.": "O kandidátech na vydání si můžete přečíst více v odkazu níže.", @@ -436,6 +452,10 @@ "full documentation": "úplná dokumentace", "items": "položky", "seconds": "sekund", + "theme-name-black": "Černý", + "theme-name-dark": "Tmavý", + "theme-name-default": "Výchozí", + "theme-name-light": "Světlý", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} chce sdílet složku „{{folder}}“.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} chce sdílet složku „{{folderlabel}}“ ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} může toto zařízení znovu uvést." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-da.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-da.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-da.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-da.json 2022-04-05 03:32:50.000000000 +0000 @@ -1,5 +1,5 @@ { - "A device with that ID is already added.": "En enhed med dette id er allerede tilføjet.", + "A device with that ID is already added.": "En enhed med dette ID er allerede tilføjet.", "A negative number of days doesn't make sense.": "Et negativt antal dage giver ikke mening.", "A new major version may not be compatible with previous versions.": "En ny versionsudgivelse er måske ikke kompatibel med tidligere versioner.", "API Key": "API-nøgle", @@ -11,6 +11,7 @@ "Add Folder": "Tilføj mappe", "Add Remote Device": "Tilføj fjernenhed", "Add devices from the introducer to our device list, for mutually shared folders.": "Tilføj enheder fra den introducerende enhed til vores enhedsliste for gensidigt delte mapper.", + "Add ignore patterns": "Tilføj ignoreringsmønstre", "Add new folder?": "Tilføj ny mappe", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Derudover vil intervallet for den komplette genskan blive forøget (60 gange, dvs. ny standard er 1 time). Du kan også konfigurere det manuelt for hver mappe senere efter at have valgt Nej.", "Address": "Adresse", @@ -18,13 +19,16 @@ "Advanced": "Avanceret", "Advanced Configuration": "Avanceret konfiguration", "All Data": "Alt data", + "All Time": "Hele tiden", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Alle mapper delt med denne enhed, skal beskyttes med adgangskode, således at alle sendte data er ikke-læsbare uden den angivne adgangskode.", "Allow Anonymous Usage Reporting?": "Tillad anonym brugerstatistik?", "Allowed Networks": "Tilladte netværk", "Alphabetic": "Alfabetisk", + "Altered by ignoring deletes.": "Ændret ved at ignorere sletninger.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "En ekstern kommando styrer versioneringen. Den skal fjerne filen fra den delte mappe. Hvis stien til programmet indeholder mellemrum, bør den sættes i anførselstegn.", "Anonymous Usage Reporting": "Anonym brugerstatistik", "Anonymous usage report format has changed. Would you like to move to the new format?": "Formatet for anonym brugerstatistik er ændret. Vil du flytte til det nye format?", + "Apply": "Apply", "Are you sure you want to continue?": "Fortsætte?", "Are you sure you want to override all remote changes?": "Tilsidesæt alle eksterne ændringer?", "Are you sure you want to permanently delete all these files?": "Slette valgte filer permanent?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 de følgende bidragsydere:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Opretter ignoreringsmønstre; overskriver en eksisterende fil på {{path}}.", "Currently Shared With Devices": "i øjeblikket delt med enheder", + "Custom Range": "Tilpasset interval", "Danger!": "Fare!", "Debugging Facilities": "Faciliteter til fejlretning", "Default Configuration": "Standard opsætning", @@ -91,7 +96,7 @@ "Disabled periodic scanning and disabled watching for changes": "Deaktiverede periodisk skanning og deaktiverede overvågning af ændringer", "Disabled periodic scanning and enabled watching for changes": "Deaktiverede periodisk skanning og aktiverede overvågning af ændringer", "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "Deaktiverede periodisk skanning fra og lykkedes ikke med at opsætte overvågning af ændringer; prøver igen hvert minut:", - "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).", + "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Deaktiverer sammenligning og synkronisering af fil tilladelser. Nyttigt på systemer med ikke-eksisterende eller tilpasset tilladelser (f.eks. FAT, exFAT, Synology, Android).", "Discard": "Behold ikke", "Disconnected": "Ikke tilsluttet", "Disconnected (Unused)": "Ikke tilsluttet (ubrugt)", @@ -126,6 +131,7 @@ "Error": "Fejl", "External File Versioning": "Ekstern filversionering", "Failed Items": "Mislykkede filer", + "Failed to load file versions.": "Fil versioner kunne ikke indlæses.", "Failed to load ignore patterns.": "Ignorerings-mønstre kunne ikke indlæses.", "Failed to setup, retrying": "Opsætning mislykkedes; prøver igen", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Fejl i forbindelse med opkobling til IPv6-servere skal forventes, hvis der ikke er IPv6-forbindelse.", @@ -168,6 +174,7 @@ "Ignore": "Ignorér", "Ignore Patterns": "Ignoreringsmønstre", "Ignore Permissions": "Ignorér rettigheder", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignorerede enheder", "Ignored Folders": "Ignorerede mapper", "Ignored at": "Ignoreret på", @@ -179,6 +186,9 @@ "Keep Versions": "Behold versioner", "LDAP": "LDAP", "Largest First": "Største først", + "Last 30 Days": "Seneste 30 dage", + "Last 7 Days": "Seneste 7 dage", + "Last Month": "Sidste måned", "Last Scan": "Seneste skanning", "Last seen": "Sidst set", "Latest Change": "Seneste ændring", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Vælg hvilke mapper du vil dele med denne enhed.", "Send & Receive": "Send og modtag", "Send Only": "Send kun", + "Set Ignores on Added Folder": "Sæt ignorerer på tilføjet mappe", "Settings": "Indstillinger", "Share": "Del", "Share Folder": "Del mappe", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Hastighedsbegrænsningen skal være et ikke-negativt tal (0: ingen begrænsning)", "The rescan interval must be a non-negative number of seconds.": "Genskanningsintervallet skal være et ikke-negativt antal sekunder.", "There are no devices to share this folder with.": "Der er ingen enheder at dele denne mappe med.", + "There are no file versions to restore.": "Der er ingen fil versioner at gendanne.", "There are no folders to share with this device.": "Der er ingen mapper at dele med denne enhed.", "They are retried automatically and will be synced when the error is resolved.": "De prøves igen automatisk og vil blive synkroniseret, når fejlen er løst.", "This Device": "Denne enhed", + "This Month": "Denne måned", "This can easily give hackers access to read and change any files on your computer.": "Dette gør det nemt for hackere at få adgang til at læse og ændre filer på din computer.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Dette er en ny hovedversion.", "This setting controls the free space required on the home (i.e., index database) disk.": "Denne indstilling styrer den krævede ledige plads på hjemmedrevet (dvs. drevet med indeksdatabasen).", "Time": "Tid", "Time the item was last modified": "Tidspunkt for seneste ændring af filen", + "Today": "I dag", "Trash Can File Versioning": "Versionering med papirkurv", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX rettigheder", "Unavailable": "Ikke tilgængelig", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Når der tilføjes en ny enhed, vær da opmærksom på, at denne enhed også skal tilføjes i den anden ende.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Når der tilføjes en ny enhed, vær da opmærksom på at samme mappe-ID bruges til at forbinde mapper på de forskellige enheder. Der er forskel på store og små bogstaver, og ID skal være fuldstændig identisk på alle enheder.", "Yes": "Ja", + "Yesterday": "I går", "You can also select one of these nearby devices:": "Du kan også vælge en af disse enheder i nærheden:", "You can change your choice at any time in the Settings dialog.": "Du kan altid ændre dit valg under indstillinger.", "You can read more about the two release channels at the link below.": "Du kan læse mere om de to udgivelseskanaler på linket herunder.", @@ -436,6 +452,10 @@ "full documentation": "fuld dokumentation", "items": "filer", "seconds": "sekunder", + "theme-name-black": "Sort", + "theme-name-dark": "Mørk", + "theme-name-default": "Standard", + "theme-name-light": "Lys", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} ønsker at dele mappen “{{folder}}”.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} ønsker at dele mappen “{{folderlabel}}” ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} vil muligvis genindføre denne enhed." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-de.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-de.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-de.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-de.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Ordner hinzufügen", "Add Remote Device": "Gerät hinzufügen", "Add devices from the introducer to our device list, for mutually shared folders.": "Fügt Geräte vom Verteilergerät zu der eigenen Geräteliste hinzu, um gegenseitig geteilte Ordner zu ermöglichen.", + "Add ignore patterns": "Ignoriermuster hinzufügen", "Add new folder?": "Neuen Ordner hinzufügen?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Zusätzlich wird das Scaninterval erhöht (um Faktor 60, also 1 Stunde als neuer Standard). Es kann auch manuell für jeden Ordner gesetzt werden, wenn Nein geklickt wird.", "Address": "Adresse", @@ -18,20 +19,23 @@ "Advanced": "Erweitert", "Advanced Configuration": "Erweiterte Konfiguration", "All Data": "Alle Daten", - "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Alle Ordner, welche mit diesem Gerät geteilt werden, müssen von einem Passwort geschützt werden, sodass die gesendeten Daten ohne Kenntnis des Passworts nicht gelesen werden können. ", + "All Time": "Gesamter Zeitraum", + "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Alle Ordner, welche mit diesem Gerät geteilt werden, müssen von einem Passwort geschützt werden, sodass keine gesendeten Daten ohne Kenntnis des Passworts gelesen werden können. ", "Allow Anonymous Usage Reporting?": "Übertragung von anonymen Nutzungsberichten erlauben?", "Allowed Networks": "Erlaubte Netzwerke", "Alphabetic": "Alphabetisch", + "Altered by ignoring deletes.": "Weicht ab, weil Löschungen ignoriert werden.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Ein externer Befehl behandelt die Versionierung. Die Datei aus dem freigegebenen Ordner muss entfernen werden. Wenn der Pfad der Anwendung Leerzeichen enthält, sollte dieser in Anführungszeichen stehen.", "Anonymous Usage Reporting": "Anonymer Nutzungsbericht", "Anonymous usage report format has changed. Would you like to move to the new format?": "Das Format des anonymen Nutzungsberichts hat sich geändert. Möchten Sie auf das neue Format umsteigen?", + "Apply": "Anwenden", "Are you sure you want to continue?": "Sind Sie sicher, dass Sie fortfahren möchten?", - "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", + "Are you sure you want to override all remote changes?": "Sind Sie sicher, dass Sie alle entfernten Änderungen überschreiben möchten?", "Are you sure you want to permanently delete all these files?": "Sind Sie sicher, dass Sie all diese Dateien dauerhaft löschen möchten?", "Are you sure you want to remove device {%name%}?": "Sind Sie sicher, dass sie das Gerät {{name}} entfernen möchten?", "Are you sure you want to remove folder {%label%}?": "Sind Sie sicher, dass sie den Ordner {{label}} entfernen möchten?", "Are you sure you want to restore {%count%} files?": "Sind Sie sicher, dass Sie {{count}} Dateien wiederherstellen möchten?", - "Are you sure you want to revert all local changes?": "Are you sure you want to revert all local changes?", + "Are you sure you want to revert all local changes?": "Sind Sie sicher, dass Sie alle lokalen Änderungen zurücksetzen möchten?", "Are you sure you want to upgrade?": "Sind Sie sicher, dass Sie ein Upgrade durchführen möchten?", "Auto Accept": "Automatische Annahme", "Automatic Crash Reporting": "Automatische Absturzmeldung", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 folgende Mitwirkende:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Erstelle Ignoriermuster, welche die existierende Datei {{path}} überschreiben.", "Currently Shared With Devices": "Derzeit mit Geräten geteilt", + "Custom Range": "Eigener Zeitraum", "Danger!": "Achtung!", "Debugging Facilities": "Debugging-Möglichkeiten", "Default Configuration": "Vorgabekonfiguration", @@ -98,7 +103,7 @@ "Discovered": "Ermittelt", "Discovery": "Gerätesuche", "Discovery Failures": "Gerätesuchfehler", - "Discovery Status": "Discovery Status", + "Discovery Status": "Status der Gerätesuche", "Dismiss": "Ausblenden", "Do not add it to the ignore list, so this notification may recur.": "Nicht zur Ignorierliste hinzufügen, diese Benachrichtigung kann erneut auftauchen.", "Do not restore": "Nicht wiederherstellen", @@ -126,7 +131,8 @@ "Error": "Fehler", "External File Versioning": "Externe Dateiversionierung", "Failed Items": "Fehlgeschlagene Elemente", - "Failed to load ignore patterns.": "Failed to load ignore patterns.", + "Failed to load file versions.": "Fehler beim Laden der Dateiversionen.", + "Failed to load ignore patterns.": "Fehler beim Laden der Ignoriermuster.", "Failed to setup, retrying": "Fehler beim Installieren, versuche erneut", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Ein Verbindungsfehler zu IPv6-Servern ist zu erwarten, wenn es keine IPv6-Konnektivität gibt.", "File Pull Order": "Dateiübertragungsreihenfolge", @@ -168,9 +174,10 @@ "Ignore": "Ignorieren", "Ignore Patterns": "Ignoriermuster", "Ignore Permissions": "Berechtigungen ignorieren", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignoriermuster können erst hinzugefügt werden, nachdem der Ordner erstellt wurde. Bei Auswahl erscheint nach dem Speichern ein Eingabefeld zum setzen der Ignoriermuster.", "Ignored Devices": "Ignorierte Geräte", "Ignored Folders": "Ignorierte Ordner", - "Ignored at": "Ignoriert bei/von", + "Ignored at": "Ignoriert am", "Incoming Rate Limit (KiB/s)": "Eingehendes Datenratelimit (KiB/s)", "Incorrect configuration may damage your folder contents and render Syncthing inoperable.": "Eine falsche Konfiguration kann den Ordnerinhalt beschädigen und Syncthing in einen unausführbaren Zustand versetzen.", "Introduced By": "Verteilt von", @@ -179,13 +186,16 @@ "Keep Versions": "Versionen erhalten", "LDAP": "LDAP", "Largest First": "Größte zuerst", + "Last 30 Days": "Letzte 30 Tage", + "Last 7 Days": "Letzte 7 Tage", + "Last Month": "Letzter Monat", "Last Scan": "Letzter Scan", "Last seen": "Zuletzt online", "Latest Change": "Letzte Änderung", "Learn more": "Mehr erfahren", "Limit": "Limit", - "Listener Failures": "Listener Failures", - "Listener Status": "Listener Status", + "Listener Failures": "Fehler bei Listener", + "Listener Status": "Status der Listener", "Listeners": "Zuhörer", "Loading data...": "Daten werden geladen...", "Loading...": "Wird geladen...", @@ -224,7 +234,7 @@ "Out of Sync": "Nicht synchronisiert", "Out of Sync Items": "Nicht synchronisierte Elemente", "Outgoing Rate Limit (KiB/s)": "Ausgehendes Datenratelimit (KiB/s)", - "Override": "Override", + "Override": "Überschreiben", "Override Changes": "Änderungen überschreiben", "Path": "Pfad", "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "Pfad zum Ordner auf dem lokalen Gerät. Ordner wird erzeugt, wenn er nicht existiert. Das Tilden-Zeichen (~) kann als Abkürzung benutzt werden für", @@ -274,7 +284,7 @@ "Resume": "Fortsetzen", "Resume All": "Alles fortsetzen", "Reused": "Erneut benutzt", - "Revert": "Revert", + "Revert": "Zurücksetzen", "Revert Local Changes": "Lokale Änderungen zurücksetzen", "Save": "Speichern", "Scan Time Remaining": "Verbleibende Scanzeit", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Wähle Sie die Ordner aus, die Sie mit diesem Gerät teilen möchten.", "Send & Receive": "Senden & Empfangen", "Send Only": "Nur senden", + "Set Ignores on Added Folder": "Ignoriermuster für neuen Ordner setzen", "Settings": "Einstellungen", "Share": "Teilen", "Share Folder": "Ordner teilen", @@ -358,7 +369,7 @@ "The following methods are used to discover other devices on the network and announce this device to be found by others:": "Die folgenden Methoden werden verwendet, um andere Geräte im Netzwerk aufzufinden und dieses Gerät anzukündigen, damit es von anderen gefunden wird:", "The following unexpected items were found.": "Die folgenden unerwarteten Elemente wurden gefunden.", "The interval must be a positive number of seconds.": "Das Intervall muss eine positive Zahl von Sekunden sein.", - "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "Das Intervall, in Sekunden, zwischen den Bereinigungen im Versionsverzeichnis. 0 um das regelmäßige Bereinigen zu deaktivieren.", + "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "Das Intervall, in Sekunden, zwischen den Bereinigungen im Versionsverzeichnis. Null um das regelmäßige Bereinigen zu deaktivieren.", "The maximum age must be a number and cannot be blank.": "Das Höchstalter muss angegeben werden und eine Zahl sein.", "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "Die längste Zeit, die alte Versionen vorgehalten werden (in Tagen) (0 um alte Versionen für immer zu behalten).", "The number of days must be a number and cannot be blank.": "Die Anzahl von Versionen muss eine Ganzzahl und darf nicht leer sein.", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Das Datenratelimit muss eine nicht negative Zahl sein (0 = kein Limit).", "The rescan interval must be a non-negative number of seconds.": "Das Scanintervall muss eine nicht negative Anzahl (in Sekunden) sein.", "There are no devices to share this folder with.": "Es gibt keine Geräte, mit denen dieser Ordner geteilt werden kann.", + "There are no file versions to restore.": "Es gibt keine Dateiversionen zum Wiederherstellen.", "There are no folders to share with this device.": "Es gibt keine Ordner, die mit diesem Gerät geteilt werden können.", "They are retried automatically and will be synced when the error is resolved.": "Sie werden automatisch heruntergeladen und werden synchronisiert, wenn der Fehler behoben wurde.", "This Device": "Dieses Gerät", + "This Month": "Dieser Monat", "This can easily give hackers access to read and change any files on your computer.": "Dies kann dazu führen, dass Unberechtigte relativ einfach auf Ihre Dateien zugreifen und diese ändern können.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Dieses Gerät kann nicht automatisch andere Geräte auffinden, oder seine eigene Adresse bekannt geben, um von anderen gefunden zu werden. Nur Geräte mit statisch konfigurierten Adressen können sich verbinden.", "This is a major version upgrade.": "Dies ist eine Hauptversionsaktualisierung.", "This setting controls the free space required on the home (i.e., index database) disk.": "Diese Einstellung regelt den freien Speicherplatz, der für den Systemordner (d.h. Indexdatenbank) erforderlich ist.", "Time": "Zeit", "Time the item was last modified": "Zeit der letzten Änderung des Elements", + "Today": "Heute", "Trash Can File Versioning": "Papierkorb Dateiversionierung", + "Twitter": "Twitter", "Type": "Typ", "UNIX Permissions": "UNIX-Berechtigungen", "Unavailable": " Nicht verfügbar", @@ -402,7 +417,7 @@ "Usage reporting is always enabled for candidate releases.": "Nutzungsbericht ist für Veröffentlichungskandidaten immer aktiviert.", "Use HTTPS for GUI": "HTTPS für Benutzeroberfläche verwenden", "Use notifications from the filesystem to detect changed items.": "Benachrichtigungen des Dateisystems nutzen, um Änderungen zu erkennen.", - "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "Benutzername und Passwort für die Benutzeroberfläche sind nicht gesetzt. Setzen Sie diese zum Schutz ihrer Daten. ", + "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "Benutzername und Passwort für die Benutzeroberfläche sind nicht gesetzt. Bitte richten Sie diese zur Absicherung ein.", "Version": "Version", "Versions": "Versionen", "Versions Path": "Versionierungspfad", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Beachte beim Hinzufügen eines neuen Gerätes, dass dieses Gerät auch auf den anderen Geräten hinzugefügt werden muss.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Beachte bitte beim Hinzufügen eines neuen Ordners, dass die Ordnerkennung dazu verwendet wird, Ordner zwischen Geräten zu verbinden. Die Kennung muss also auf allen Geräten gleich sein, die Groß- und Kleinschreibung muss dabei beachtet werden.", "Yes": "Ja", + "Yesterday": "Gestern", "You can also select one of these nearby devices:": "Sie können auch ein in der Nähe befindliches Geräte auswählen:", "You can change your choice at any time in the Settings dialog.": "Sie können Ihre Wahl jederzeit in den Einstellungen ändern.", "You can read more about the two release channels at the link below.": "Über den folgenden Link können Sie mehr über die zwei Veröffentlichungskanäle erfahren.", diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-el.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-el.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-el.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-el.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Προσθήκη φακέλου", "Add Remote Device": "Προσθήκη Απομακρυσμένης Συσκευής", "Add devices from the introducer to our device list, for mutually shared folders.": "Προσθήκη συσκευών από το Βασικό κόμβο στη λίστα συσκευών μας, για όσους κοινούς φακέλους υπάρχουν μεταξύ τους.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Προσθήκη νέου φακέλου;", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Θα αυξηθεί επίσης το διάστημα επανασαρώσεων στο 60-πλάσιο (νέα προεπιλεγμένη τιμή: 1 ώρα). Μπορείτε να το προσαρμόσετε για κάθε φάκελο αφού επιλέξετε «Όχι».", "Address": "Διεύθυνση", @@ -18,13 +19,16 @@ "Advanced": "Προχωρημένες", "Advanced Configuration": "Προχωρημένες ρυθμίσεις", "All Data": "Όλα τα δεδομένα", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Να επιτρέπεται η αποστολή ανώνυμων στοιχείων χρήσης;", "Allowed Networks": "Επιτρεπόμενα δίκτυα", "Alphabetic": "Αλφαβητικά", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Μια εξωτερική εντολή χειρίζεται την τήρηση εκδόσεων και αναλαμβάνει να αφαιρέσει το αρχείο από τον συγχρονισμένο φάκελο. Αν η διαδρομή προς την εφαρμογή περιέχει διαστήματα, πρέπει να εσωκλείεται σε εισαγωγικά. ", "Anonymous Usage Reporting": "Ανώνυμα στοιχεία χρήσης", "Anonymous usage report format has changed. Would you like to move to the new format?": "Η μορφή της αναφοράς ανώνυμων στοιχείων χρήσης έχει αλλάξει. Επιθυμείτε να μεταβείτε στη νέα μορφή;", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 για τους παρακάτω συνεισφέροντες:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Δημιουργία προτύπων αγνόησης, αντικατάσταση του υπάρχοντος αρχείου στο {{path}}.", "Currently Shared With Devices": "Διαμοιράζεται με αυτές τις συσκευές", + "Custom Range": "Custom Range", "Danger!": "Προσοχή!", "Debugging Facilities": "Εργαλεία αποσφαλμάτωσης", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Σφάλμα", "External File Versioning": "Εξωτερική τήρηση εκδόσεων", "Failed Items": "Αρχεία που απέτυχαν", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Αποτυχία ενεργοποίησης, γίνεται νέα προσπάθεια", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Είναι φυσιολογική η αποτυχία σύνδεσης σε εξυπηρετητές IPv6 όταν δεν υπάρχει συνδεσιμότητα IPv6.", @@ -168,6 +174,7 @@ "Ignore": "Αγνόησε", "Ignore Patterns": "Πρότυπο για αγνόηση", "Ignore Permissions": "Αγνόησε τα δικαιώματα", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Αγνοηθείσες συσκευές", "Ignored Folders": "Αγνοηθέντες φάκελοι", "Ignored at": "Αγνοήθηκε στην", @@ -179,6 +186,9 @@ "Keep Versions": "Διατήρηση εκδόσεων", "LDAP": "LDAP", "Largest First": "Το μεγαλύτερο πρώτα", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Τελευταία Σάρωση", "Last seen": "Τελευταία σύνδεση", "Latest Change": "Τελευταία αλλαγή", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Διάλεξε ποιοι φάκελοι θα διαμοιράζονται προς αυτή τη συσκευή.", "Send & Receive": "Αποστολή και λήψη", "Send Only": "Μόνο αποστολή", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Ρυθμίσεις", "Share": "Διαμοίραση", "Share Folder": "Διαμοίραση φακέλου", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Το όριο ταχύτητας πρέπει να είναι ένας μη-αρνητικός αριθμός (0: χωρίς όριο)", "The rescan interval must be a non-negative number of seconds.": "Ο χρόνος επανελέγχου για αλλαγές είναι σε δευτερόλεπτα (δηλ. θετικός αριθμός).", "There are no devices to share this folder with.": "Δεν υπάρχουν συσκευές με τις οποίες διαμοιράζεται αυτός ο φάκελος.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "Όταν επιλυθεί το σφάλμα θα κατεβούν και θα συχρονιστούν αυτόματα.", "This Device": "Αυτή η συσκευή", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Αυτό μπορεί εύκολα να δώσει πρόσβαση ανάγνωσης και επεξεργασίας αρχείων του υπολογιστή σας σε χάκερς.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Αυτή είναι μια σημαντική αναβάθμιση.", "This setting controls the free space required on the home (i.e., index database) disk.": "Αυτή η επιλογή καθορίζει τον ελεύθερο χώρο που θα παραμένει ελεύθερος στον δίσκο όπου βρίσκεται ο κατάλογος της εφαρμογής (και συνεπώς η βάση δεδομένων ευρετηρίων).", "Time": "Χρόνος", "Time the item was last modified": "Ώρα τελευταίας τροποποίησης του στοιχείου", + "Today": "Today", "Trash Can File Versioning": "Τήρηση εκδόσεων κάδου ανακύκλωσης", + "Twitter": "Twitter", "Type": "Τύπος", "UNIX Permissions": "Άδειες αρχείων UNIX", "Unavailable": "Μη διαθέσιμο", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Θυμήσου πως όταν προσθέτεις μια νέα συσκευή, ετούτη η συσκευή θα πρέπει να προστεθεί και στην άλλη πλευρά.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Όταν προσθέτεις έναν νέο φάκελο, θυμήσου πως η ταυτότητα ενός φακέλου χρησιμοποιείται για να να συσχετίσει φακέλους μεταξύ συσκευών. Η ταυτότητα του φακέλου θα πρέπει να είναι η ίδια σε όλες τις συσκευές και έχουν σημασία τα πεζά ή κεφαλαία γράμματα.", "Yes": "Ναι", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Μπορείτε επίσης να επιλέξετε μια από αυτές τις γειτονικές συσκευές:", "You can change your choice at any time in the Settings dialog.": "Μπορείτε να αλλάξετε τη ρύθμιση αυτή ανά πάσα στιγμή στο παράθυρο «Ρυθμίσεις».", "You can read more about the two release channels at the link below.": "Μπορείτε να διαβάσετε περισσότερα για τα δύο κανάλια εκδόσεων στον παρακάτω σύνδεσμο.", @@ -436,6 +452,10 @@ "full documentation": "πλήρης τεκμηρίωση", "items": "εγγραφές", "seconds": "δευτερόλεπτα", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "Η συσκευή {{device}} θέλει να μοιράσει τον φάκελο «{{folder}}».", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "Η συσκευή {{device}} επιθυμεί να διαμοιράσει τον φάκελο \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-en-AU.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-en-AU.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-en-AU.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-en-AU.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Add Folder", "Add Remote Device": "Add Remote Device", "Add devices from the introducer to our device list, for mutually shared folders.": "Add devices from the introducer to our device list, for mutually shared folders.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Add new folder?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.", "Address": "Address", @@ -18,13 +19,16 @@ "Advanced": "Advanced", "Advanced Configuration": "Advanced Configuration", "All Data": "All Data", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Allow Anonymous Usage Reporting?", "Allowed Networks": "Allowed Networks", "Alphabetic": "Alphabetic", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.", "Anonymous Usage Reporting": "Anonymous Usage Reporting", "Anonymous usage report format has changed. Would you like to move to the new format?": "Anonymous usage report format has changed. Would you like to move to the new format?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 the following Contributors:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Creating ignore patterns, overwriting an existing file at {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Danger!", "Debugging Facilities": "Debugging Facilities", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Error", "External File Versioning": "External File Versioning", "Failed Items": "Failed Items", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Failed to setup, retrying", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.", @@ -168,6 +174,7 @@ "Ignore": "Ignore", "Ignore Patterns": "Ignore Patterns", "Ignore Permissions": "Ignore Permissions", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignored Devices", "Ignored Folders": "Ignored Folders", "Ignored at": "Ignored at", @@ -179,6 +186,9 @@ "Keep Versions": "Keep Versions", "LDAP": "LDAP", "Largest First": "Largest First", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Last Scan", "Last seen": "Last seen", "Latest Change": "Latest Change", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Select the folders to share with this device.", "Send & Receive": "Send & Receive", "Send Only": "Send Only", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Settings", "Share": "Share", "Share Folder": "Share Folder", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "The rate limit must be a non-negative number (0: no limit)", "The rescan interval must be a non-negative number of seconds.": "The rescan interval must be a non-negative number of seconds.", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "They are retried automatically and will be synced when the error is resolved.", "This Device": "This Device", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "This can easily give hackers access to read and change any files on your computer.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "This is a major version upgrade.", "This setting controls the free space required on the home (i.e., index database) disk.": "This setting controls the free space required on the home (i.e., index database) disk.", "Time": "Time", "Time the item was last modified": "Time the item was last modified", + "Today": "Today", "Trash Can File Versioning": "Bin File Versioning", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX Permissions", "Unavailable": "Unavailable", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "When adding a new device, keep in mind that this device must be added on the other side too.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.", "Yes": "Yes", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "You can also select one of these nearby devices:", "You can change your choice at any time in the Settings dialog.": "You can change your choice at any time in the Settings dialog.", "You can read more about the two release channels at the link below.": "You can read more about the two release channels at the link below.", @@ -436,6 +452,10 @@ "full documentation": "full documentation", "items": "items", "seconds": "seconds", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} wants to share folder \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} wants to share folder \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-en-GB.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-en-GB.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-en-GB.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-en-GB.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Add Folder", "Add Remote Device": "Add Remote Device", "Add devices from the introducer to our device list, for mutually shared folders.": "Add devices from the introducer to our device list, for mutually shared folders.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Add new folder?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.", "Address": "Address", @@ -18,13 +19,16 @@ "Advanced": "Advanced", "Advanced Configuration": "Advanced Configuration", "All Data": "All Data", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Allow Anonymous Usage Reporting?", "Allowed Networks": "Allowed Networks", "Alphabetic": "Alphabetic", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.", "Anonymous Usage Reporting": "Anonymous Usage Reporting", "Anonymous usage report format has changed. Would you like to move to the new format?": "Anonymous usage report format has changed. Would you like to move to the new format?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 the following Contributors:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Creating ignore patterns, overwriting an existing file at {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Danger!", "Debugging Facilities": "Debugging Facilities", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Error", "External File Versioning": "External File Versioning", "Failed Items": "Failed Items", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Failed to setup, retrying", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.", @@ -168,6 +174,7 @@ "Ignore": "Ignore", "Ignore Patterns": "Ignore Patterns", "Ignore Permissions": "Ignore Permissions", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignored Devices", "Ignored Folders": "Ignored Folders", "Ignored at": "Ignored at", @@ -179,6 +186,9 @@ "Keep Versions": "Keep Versions", "LDAP": "LDAP", "Largest First": "Largest First", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Last Scan", "Last seen": "Last seen", "Latest Change": "Latest Change", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Select the folders to share with this device.", "Send & Receive": "Send & Receive", "Send Only": "Send Only", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Settings", "Share": "Share", "Share Folder": "Share Folder", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "The rate limit must be a non-negative number (0: no limit)", "The rescan interval must be a non-negative number of seconds.": "The rescan interval must be a non-negative number of seconds.", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "They are retried automatically and will be synced when the error is resolved.", "This Device": "This Device", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "This can easily give hackers access to read and change any files on your computer.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "This is a major version upgrade.", "This setting controls the free space required on the home (i.e., index database) disk.": "This setting controls the free space required on the home (i.e., index database) disk.", "Time": "Time", "Time the item was last modified": "Time the item was last modified", + "Today": "Today", "Trash Can File Versioning": "Rubbish Bin File Versioning", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX Permissions", "Unavailable": "Unavailable", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "When adding a new device, keep in mind that this device must be added on the other side too.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.", "Yes": "Yes", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "You can also select one of these nearby devices:", "You can change your choice at any time in the Settings dialog.": "You can change your choice at any time in the Settings dialogue.", "You can read more about the two release channels at the link below.": "You can read more about the two release channels at the link below.", @@ -436,6 +452,10 @@ "full documentation": "full documentation", "items": "items", "seconds": "seconds", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} wants to share folder \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} wants to share folder \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-en.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-en.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-en.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-en.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Add Folder", "Add Remote Device": "Add Remote Device", "Add devices from the introducer to our device list, for mutually shared folders.": "Add devices from the introducer to our device list, for mutually shared folders.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Add new folder?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.", "Address": "Address", @@ -18,13 +19,16 @@ "Advanced": "Advanced", "Advanced Configuration": "Advanced Configuration", "All Data": "All Data", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Allow Anonymous Usage Reporting?", "Allowed Networks": "Allowed Networks", "Alphabetic": "Alphabetic", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.", "Anonymous Usage Reporting": "Anonymous Usage Reporting", "Anonymous usage report format has changed. Would you like to move to the new format?": "Anonymous usage report format has changed. Would you like to move to the new format?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 the following Contributors:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Creating ignore patterns, overwriting an existing file at {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Danger!", "Debugging Facilities": "Debugging Facilities", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Error", "External File Versioning": "External File Versioning", "Failed Items": "Failed Items", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Failed to setup, retrying", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.", @@ -168,6 +174,7 @@ "Ignore": "Ignore", "Ignore Patterns": "Ignore Patterns", "Ignore Permissions": "Ignore Permissions", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignored Devices", "Ignored Folders": "Ignored Folders", "Ignored at": "Ignored at", @@ -179,6 +186,9 @@ "Keep Versions": "Keep Versions", "LDAP": "LDAP", "Largest First": "Largest First", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Last Scan", "Last seen": "Last seen", "Latest Change": "Latest Change", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Select the folders to share with this device.", "Send \u0026 Receive": "Send \u0026 Receive", "Send Only": "Send Only", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Settings", "Share": "Share", "Share Folder": "Share Folder", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "The rate limit must be a non-negative number (0: no limit)", "The rescan interval must be a non-negative number of seconds.": "The rescan interval must be a non-negative number of seconds.", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "They are retried automatically and will be synced when the error is resolved.", "This Device": "This Device", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "This can easily give hackers access to read and change any files on your computer.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "This is a major version upgrade.", "This setting controls the free space required on the home (i.e., index database) disk.": "This setting controls the free space required on the home (i.e., index database) disk.", "Time": "Time", "Time the item was last modified": "Time the item was last modified", + "Today": "Today", "Trash Can File Versioning": "Trash Can File Versioning", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX Permissions", "Unavailable": "Unavailable", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "When adding a new device, keep in mind that this device must be added on the other side too.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.", "Yes": "Yes", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "You can also select one of these nearby devices:", "You can change your choice at any time in the Settings dialog.": "You can change your choice at any time in the Settings dialog.", "You can read more about the two release channels at the link below.": "You can read more about the two release channels at the link below.", diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-eo.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-eo.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-eo.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-eo.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Aldoni dosierujon", "Add Remote Device": "Aldoni foran aparaton", "Add devices from the introducer to our device list, for mutually shared folders.": "Aldoni aparatojn de la enkondukanto ĝis nia aparatlisto, por reciproke komunigitaj dosierujoj.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Ĉu aldoni novan dosierujon ?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Aldone, plena reskana intervalo estos pliigita (60-oble, t.e. nova defaŭlto estas 1h). Vi povas ankaŭ agordi ĝin permane por ĉiu dosierujo poste post elekto de Ne.", "Address": "Adreso", @@ -18,20 +19,23 @@ "Advanced": "Altnivela", "Advanced Configuration": "Altnivela Agordo", "All Data": "Ĉiuj Datumoj", - "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", + "All Time": "All Time", + "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Ĉiuj dosierujoj, kiuj estas dividitaj kun ĉi tiu aparato devas esti protektitaj per pasvorto, tiel ĉiuj senditaj datumoj estas nelegeblaj sen la pasvorto.", "Allow Anonymous Usage Reporting?": "Permesi Anoniman Raporton de Uzado?", "Allowed Networks": "Permesitaj Retoj", "Alphabetic": "Alfabeta", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Ekstera komando manipulas la version. Ĝi devas forigi la dosieron el la komunigita dosierujo. Se la vojo al la apliko elhavas blankoj, ĝi devas esti inter citiloj.", "Anonymous Usage Reporting": "Anonima Raporto de Uzado", "Anonymous usage report format has changed. Would you like to move to the new format?": "Formato de anonima raporto de uzado ŝanĝis. Ĉu vi ŝatus transiri al la nova formato?", - "Are you sure you want to continue?": "Are you sure you want to continue?", - "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", - "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", + "Apply": "Apply", + "Are you sure you want to continue?": "Ĉu vi certas, ke vi volas daŭrigi?", + "Are you sure you want to override all remote changes?": "Ĉu vi certas, ke vi volas transpasi ĉiujn forajn ŝanĝojn?", + "Are you sure you want to permanently delete all these files?": "Ĉu vi certas, ke vi volas porĉiame forigi ĉiujn ĉi tiujn dosierojn?", "Are you sure you want to remove device {%name%}?": "Ĉu vi certas, ke vi volas forigi aparaton {{name}}?", "Are you sure you want to remove folder {%label%}?": "Ĉu vi certas, ke vi volas forigi dosierujon {{label}}?", "Are you sure you want to restore {%count%} files?": "Ĉu vi certas, ke vi volas restarigi {{count}} dosierojn?", - "Are you sure you want to revert all local changes?": "Are you sure you want to revert all local changes?", + "Are you sure you want to revert all local changes?": "Ĉu vi certas, ke vi volas malfari ĉiujn lokajn ŝanĝojn?", "Are you sure you want to upgrade?": "Ĉu vi certe volas plinovigi ?", "Auto Accept": "Akcepti Aŭtomate", "Automatic Crash Reporting": "Aŭtomata raportado de kraŝoj", @@ -42,13 +46,13 @@ "Available debug logging facilities:": "Disponeblaj elpurigadaj protokoliloj:", "Be careful!": "Atentu!", "Bugs": "Cimoj", - "Cancel": "Cancel", + "Cancel": "Nuligi", "Changelog": "Ŝanĝoprotokolo", "Clean out after": "Purigi poste", "Cleaning Versions": "Cleaning Versions", "Cleanup Interval": "Cleanup Interval", "Click to see discovery failures": "Alklaku por vidi malsukcesajn malkovrojn", - "Click to see full identification string and QR code.": "Click to see full identification string and QR code.", + "Click to see full identification string and QR code.": "Alklaku por vidi la plenan identigan signovicon kaj QR-kodo", "Close": "Fermi", "Command": "Komando", "Comment, when used at the start of a line": "Komento, kiam uzita ĉe la komenco de lineo", @@ -64,14 +68,15 @@ "Copyright © 2014-2019 the following Contributors:": "Kopirajto © 2014-2019 por la sekvantaj Kontribuantoj:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Kreante ignorantajn ŝablonojn, anstataŭige ekzistantan dosieron ĉe {{path}}.", "Currently Shared With Devices": "Nune komunigita kun aparatoj", + "Custom Range": "Custom Range", "Danger!": "Danĝero!", "Debugging Facilities": "Elpurigadiloj", - "Default Configuration": "Default Configuration", + "Default Configuration": "Defaŭlta agordo", "Default Device": "Default Device", - "Default Folder": "Default Folder", + "Default Folder": "Defaŭlta Dosierujo", "Default Folder Path": "Defaŭlta Dosieruja Vojo", "Defaults": "Defaults", - "Delete": "Delete", + "Delete": "Forigu", "Delete Unexpected Items": "Delete Unexpected Items", "Deleted": "Forigita", "Deselect All": "Malelekti Ĉiujn", @@ -82,7 +87,7 @@ "Device ID": "Aparato ID", "Device Identification": "Identigo de Aparato", "Device Name": "Nomo de Aparato", - "Device is untrusted, enter encryption password": "Device is untrusted, enter encryption password", + "Device is untrusted, enter encryption password": "Aparato ne estas fidinda, entajpu pasvorto por ĉifrado", "Device rate limits": "Limoj de rapideco de aparato", "Device that last modified the item": "Aparato kiu laste modifis la eron", "Devices": "Aparatoj", @@ -126,6 +131,7 @@ "Error": "Eraro", "External File Versioning": "Ekstera Versionado de Dosiero", "Failed Items": "Malsukcesaj Eroj", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Malsukcesis agordi, provante denove", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Malsukceso por konekti al IPv6 serviloj atendante se ekzistas neniu IPv6 konektebleco.", @@ -164,10 +170,11 @@ "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.", "Identification": "Identification", "If untrusted, enter encryption password": "If untrusted, enter encryption password", - "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.", + "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Se vi volas malhelpi aliajn uzantojn sur ĉi tiu komputilo atingi Syncthing kaj per ĝi viajn dosierojn, konsideru agordi aŭtentokontrolon.", "Ignore": "Ignoru", "Ignore Patterns": "Ignorantaj Ŝablonoj", "Ignore Permissions": "Ignori Permesojn", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignoritaj Aparatoj", "Ignored Folders": "Ignoritaj Dosierujoj", "Ignored at": "Ignorita ĉe", @@ -179,6 +186,9 @@ "Keep Versions": "Konservi Versiojn", "LDAP": "LDAP", "Largest First": "Plej Granda Unue", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Lasta Skano", "Last seen": "Lasta vidita", "Latest Change": "Lasta Ŝanĝo", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Elekti la dosierujojn por komunigi kun ĉi tiu aparato.", "Send & Receive": "Sendi kaj Ricevi", "Send Only": "Nur Sendi", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Agordoj", "Share": "Komunigi", "Share Folder": "Komunigu Dosierujon", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "La rapideca limo devas esti pozitiva nombro (0: senlimo)", "The rescan interval must be a non-negative number of seconds.": "La intervalo de reskano devas esti pozitiva nombro da sekundoj.", "There are no devices to share this folder with.": "Estas neniu aparato kun kiu komunigi tiun ĉi dosierujon.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "Ili estas reprovitaj aŭtomate kaj estos sinkronigitaj kiam la eraro estas solvita.", "This Device": "Ĉi Tiu Aparato", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Ĉi tio povas facile doni al kodumuloj atingon por legi kaj ŝanĝi ajnajn dosierojn en via komputilo.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Ĉi tio estas ĉefversio ĝisdatigita.", "This setting controls the free space required on the home (i.e., index database) disk.": "Ĉi tiu agordo regas la libera spaco postulita sur la hejma (t.e. indeksa datumbaza) disko.", "Time": "Tempo", "Time the item was last modified": "Tempo de lasta modifo de la ero", + "Today": "Today", "Trash Can File Versioning": "Rubuja Dosiera Versionado", + "Twitter": "Twitter", "Type": "Tipo", "UNIX Permissions": "Permesoj UNIX", "Unavailable": "Ne disponebla", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Dum la aldonado de nova aparato, memoru ke ĉi tiu aparato devas esti aldonita en la alia flanko ankaŭ.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Dum la aldonado de nova dosierujo, memoru ke la Dosieruja ID estas uzita por ligi la dosierujojn kune inter aparatoj. Ili estas literfakodistingaj kaj devas kongrui precize inter ĉiuj aparatoj.", "Yes": "Jes", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Vi povas ankaŭ elekti unu el ĉi tiuj proksimaj aparatoj:", "You can change your choice at any time in the Settings dialog.": "Vi povas ŝanĝi vian elekton iam ajn en la Agorda dialogo.", "You can read more about the two release channels at the link below.": "Vi povas legi plu pri la du eldonkanaloj per la malsupra ligilo.", @@ -436,6 +452,10 @@ "full documentation": "tuta dokumentado", "items": "eroj", "seconds": "seconds", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} volas komunigi dosierujon \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} volas komunigi dosierujon \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-es-ES.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-es-ES.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-es-ES.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-es-ES.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Agregar Carpeta", "Add Remote Device": "Añadir un dispositivo", "Add devices from the introducer to our device list, for mutually shared folders.": "Añadir dispositivos desde el introductor a nuestra lista de dispositivos, para las carpetas compartidas mutuamente.", + "Add ignore patterns": "Añadir patrones a ignorar", "Add new folder?": "¿Agregar una carpeta nueva?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "De manera adicional, el intervalo de escaneo será incrementado (por ejemplo, times 60, establece un nuevo intervalo por defecto de una hora). También puedes configurarlo manualmente para cada carpeta tras elegir el número.", "Address": "Dirección", @@ -18,21 +19,24 @@ "Advanced": "Avanzado", "Advanced Configuration": "Configuración Avanzada", "All Data": "Todos los datos", + "All Time": "Todo el tiempo", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Todos las carpetas compartidas con este equipo deben ser protegidas con una contraseña, de manera que todos los datos enviados sean ilegibles sin la contraseña dada.", "Allow Anonymous Usage Reporting?": "¿Deseas permitir el envío anónimo de informes de uso?", "Allowed Networks": "Redes permitidas", "Alphabetic": "Alfabético", + "Altered by ignoring deletes.": "Alterado al ignorar eliminaciones.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Un comando externo maneja el versionado. Tiene que eliminar el fichero de la carpeta compartida. Si la ruta a la aplicación contiene espacios, hay que escribirla entre comillas.", "Anonymous Usage Reporting": "Informe anónimo de uso", "Anonymous usage report format has changed. Would you like to move to the new format?": "El formato del informe anónimo de uso ha cambiado. ¿Quieres cambiar al nuevo formato?", - "Are you sure you want to continue?": "Are you sure you want to continue?", - "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", - "Are you sure you want to permanently delete all these files?": "¿Esta seguro(a) de que desea eliminar permanentemente todos estos archivos?", + "Apply": "Apply", + "Are you sure you want to continue?": "¿Seguro que quieres continuar?", + "Are you sure you want to override all remote changes?": "¿Seguro que quieres sobreescribir todos los cambios remotos?", + "Are you sure you want to permanently delete all these files?": "¿Seguro que quieres eliminar permanentemente todos estos archivos?", "Are you sure you want to remove device {%name%}?": "¿Estás seguro de que quieres quitar el dispositivo {{name}}?", "Are you sure you want to remove folder {%label%}?": "¿Estás seguro de que quieres quitar la carpeta {{label}}?", "Are you sure you want to restore {%count%} files?": "¿Estás seguro de que quieres restaurar {{count}} ficheros?", - "Are you sure you want to revert all local changes?": "Are you sure you want to revert all local changes?", - "Are you sure you want to upgrade?": "¿Está seguro(a) de que desea actualizar?", + "Are you sure you want to revert all local changes?": "¿Seguro que quieres revertir todos los cambios locales?", + "Are you sure you want to upgrade?": "¿Seguro que quieres actualizar?", "Auto Accept": "Auto aceptar", "Automatic Crash Reporting": "Informe automático de errores", "Automatic upgrade now offers the choice between stable releases and release candidates.": "Ahora la actualización automática permite elegir entre versiones estables o versiones candidatas.", @@ -42,13 +46,13 @@ "Available debug logging facilities:": "Ayudas disponibles para la depuración del registro:", "Be careful!": "¡Ten cuidado!", "Bugs": "Errores", - "Cancel": "Cancel", + "Cancel": "Cancelar", "Changelog": "Registro de cambios", "Clean out after": "Limpiar tras", - "Cleaning Versions": "Limpiando Versiones", - "Cleanup Interval": "Intervalo de Limpieza", + "Cleaning Versions": "Limpiando versiones", + "Cleanup Interval": "Intervalo de limpieza", "Click to see discovery failures": "Clica para ver fallos de descubrimiento.", - "Click to see full identification string and QR code.": "Click to see full identification string and QR code.", + "Click to see full identification string and QR code.": "Haz clic para ver la cadena de identificación completa y el código QR.", "Close": "Cerrar", "Command": "Acción", "Comment, when used at the start of a line": "Comentar, cuando se usa al comienzo de una línea", @@ -63,16 +67,17 @@ "Copied from original": "Copiado del original", "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 los siguientes Colaboradores:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Crear patrones a ignorar, sobreescribiendo un fichero existente en {{path}}.", - "Currently Shared With Devices": "Actualmente Compartida Con Los Equipos", + "Currently Shared With Devices": "Actualmente compartida con los equipos", + "Custom Range": "Rango personalizado", "Danger!": "¡Peligro!", "Debugging Facilities": "Ayudas a la depuración", - "Default Configuration": "Configuración Por Defecto", - "Default Device": "Equipo Por Defecto", - "Default Folder": "Carpeta Por Defecto", + "Default Configuration": "Configuración por defecto", + "Default Device": "Equipo por defecto", + "Default Folder": "Carpeta por defecto", "Default Folder Path": "Ruta de la carpeta por defecto", - "Defaults": "Valores Por Defecto", + "Defaults": "Valores por defecto", "Delete": "Eliminar", - "Delete Unexpected Items": "Borrar Elementos Inesperados", + "Delete Unexpected Items": "Borrar elementos inesperados", "Deleted": "Eliminado", "Deselect All": "Deseleccionar Todo", "Deselect devices to stop sharing this folder with.": "Deseleccione los equipos con los cuales dejar de compartir esta carpeta.", @@ -91,16 +96,16 @@ "Disabled periodic scanning and disabled watching for changes": "Desactivados el escaneo periódico y la vigilancia de cambios", "Disabled periodic scanning and enabled watching for changes": "Desactivado el escaneo periódico y activada la vigilancia de cambios", "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "Desactivado el escaneo periódico y falló la activación de la vigilancia de cambios, reintentando cada 1 minuto:", - "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Desactiva la comparación y sincronización de los permisos de los archivos. Útil en sistemas con permisos inexistentes o personalizados (por ejemplo, FAT, exFAT, Synology, Android).", + "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Desactiva la comparación y sincronización de los permisos de los ficheros. Útil en sistemas con permisos inexistentes o personalizados (por ejemplo, FAT, exFAT, Synology, Android).", "Discard": "Descartar", "Disconnected": "Desconectado", "Disconnected (Unused)": "Desconectado (Sin uso)", "Discovered": "Descubierto", "Discovery": "Descubrimiento", "Discovery Failures": "Fallos de Descubrimiento", - "Discovery Status": "Discovery Status", - "Dismiss": "Dismiss", - "Do not add it to the ignore list, so this notification may recur.": "Do not add it to the ignore list, so this notification may recur.", + "Discovery Status": "Estado de Descubrimiento", + "Dismiss": "Descartar", + "Do not add it to the ignore list, so this notification may recur.": "No agregarlo a la lista de ignorados, de modo que esta notificación sea recurrente.", "Do not restore": "No restaurar", "Do not restore all": "No restaurar todo", "Do you want to enable watching for changes for all your folders?": "Quieres activar la vigilancia de cambios para todas tus carpetas?", @@ -126,7 +131,8 @@ "Error": "Error", "External File Versioning": "Versionado externo de fichero", "Failed Items": "Elementos fallidos", - "Failed to load ignore patterns.": "Failed to load ignore patterns.", + "Failed to load file versions.": "Error al cargar las versiones del archivo.", + "Failed to load ignore patterns.": "Fallo al cargar patrones a ignorar", "Failed to setup, retrying": "Fallo al configurar, reintentando", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Se espera un fallo al conectar a los servidores IPv6 si no hay conectividad IPv6.", "File Pull Order": "Orden de obtención de los ficheros", @@ -143,7 +149,7 @@ "Folder Label": "Etiqueta de la Carpeta", "Folder Path": "Ruta de la carpeta", "Folder Type": "Tipo de carpeta", - "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Folder type \"{{receiveEncrypted}}\" can only be set when adding a new folder.", + "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "El tipo de carpeta \"{{receiveEncrypted}}\" solo puede ser establecido al agregar una nueva carpeta.", "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "El tipo de carpeta \"{{receiveEncrypted}}\" no se puede cambiar después de añadir la carpeta. Es necesario eliminar la carpeta, borrar o descifrar los datos en el disco y volver a añadir la carpeta.", "Folders": "Carpetas", "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "Para las siguientes carpetas ocurrió un error cuando se empezó a vigilar los cambios. Se reintentará cada minuto, así que puede ser que los errores desaparezcan pronto. Si persisten, intenta solucionar el problema subyacente y pide ayuda en el caso de que no puedas.", @@ -162,12 +168,13 @@ "Help": "Ayuda", "Home page": "Página de inicio", "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "Sin embargo, su configuración actual indica que puede no querer habilitarlo. Hemos deshabilitado el informe automático de errores por usted.", - "Identification": "Identification", + "Identification": "Identificación", "If untrusted, enter encryption password": "Si no es de confianza, ingrese la contraseña de cifrado.", - "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Si quiere impedirle a otros usuarios de esta computadora acceder a Syncthing y, a través de este, a sus archivos, considere establecer la autenticación.", + "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Si quiere impedirle a otros usuarios de esta computadora acceder a Syncthing y, a través de este, a sus ficheros, considere establecer la autenticación.", "Ignore": "Ignorar", "Ignore Patterns": "Patrones a ignorar", "Ignore Permissions": "Permisos a ignorar", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Los patrones a ignorar solo se pueden agregar luego de que la carpeta sea creada. Cuando se marca, se presentará un campo de entrada para introducir los patrones a ignorar después de guardar.", "Ignored Devices": "Dispositivos Ignorados", "Ignored Folders": "Carpetas Ignoradas", "Ignored at": "Ignorado En", @@ -179,13 +186,16 @@ "Keep Versions": "Mantener versiones", "LDAP": "LDAP", "Largest First": "Más grande primero", + "Last 30 Days": "Últimos 30 días", + "Last 7 Days": "Últimos 7 días", + "Last Month": "Último mes", "Last Scan": "Último escaneo", "Last seen": "Visto por última vez", "Latest Change": "Último Cambio", "Learn more": "Saber más", "Limit": "Límite", - "Listener Failures": "Listener Failures", - "Listener Status": "Listener Status", + "Listener Failures": "Fallos de Oyente", + "Listener Status": "Estado de Oyente", "Listeners": "Oyentes", "Loading data...": "Cargando datos...", "Loading...": "Cargando...", @@ -224,7 +234,7 @@ "Out of Sync": "No sincronizado", "Out of Sync Items": "Elementos no sincronizados", "Outgoing Rate Limit (KiB/s)": "Límite de subida (KiB/s)", - "Override": "Override", + "Override": "Sobreescribir", "Override Changes": "Anular cambios", "Path": "Parche", "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "Ruta a la carpeta en la máquina local. Se creará si no existe. El carácter de la tilde (~) puede usarse como atajo.", @@ -238,7 +248,7 @@ "Periodic scanning at given interval and disabled watching for changes": "Escaneo periódico en un intervalo determinado y desactivada la vigilancia de cambios", "Periodic scanning at given interval and enabled watching for changes": "Escaneo periódico en un intervalo determinado y activada la vigilancia de cambios", "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "Escaneo periódico en un intervalo determinado y falló la configuración de la vigilancia de cambios, se reintentará cada 1 minuto:", - "Permanently add it to the ignore list, suppressing further notifications.": "Permanently add it to the ignore list, suppressing further notifications.", + "Permanently add it to the ignore list, suppressing further notifications.": "Agregarlo permanentemente a la lista de ignorados, suprimiendo futuras notificaciones.", "Permissions": "Permisos", "Please consult the release notes before performing a major upgrade.": "Por favor, consultar las notas de la versión antes de realizar una actualización importante.", "Please set a GUI Authentication User and Password in the Settings dialog.": "Por favor, introduzca un Usuario y Contraseña para la Autenticación de la Interfaz de Usuario en el panel de Ajustes.", @@ -274,7 +284,7 @@ "Resume": "Continuar", "Resume All": "Continuar todo", "Reused": "Reutilizado", - "Revert": "Revert", + "Revert": "Revertir", "Revert Local Changes": "Revertir los cambios locales", "Save": "Guardar", "Scan Time Remaining": "Tiempo Restante de Escaneo", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Selecciona las carpetas para compartir con este dispositivo.", "Send & Receive": "Enviar y Recibir", "Send Only": "Solo Enviar", + "Set Ignores on Added Folder": "Establecer Ignorados en Carpeta Agregada", "Settings": "Ajustes", "Share": "Compartir", "Share Folder": "Compartir carpeta", @@ -299,8 +310,8 @@ "Sharing": "Compartiendo", "Show ID": "Mostrar ID", "Show QR": "Mostrar QR", - "Show detailed discovery status": "Show detailed discovery status", - "Show detailed listener status": "Show detailed listener status", + "Show detailed discovery status": "Mostrar estado de descubrimiento detallado", + "Show detailed listener status": "Mostrar estado de oyente detallado", "Show diff with previous version": "Muestra las diferencias con la versión previa", "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "Se muestra en lugar del ID del dispositivo en el estado del grupo (cluster). Se notificará a los otros dispositivos como nombre opcional por defecto.", "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "Se muestra en lugar del ID del dispositivo en el estado del grupo (cluster). Se actualizará al nombre que el dispositivo anuncia si se deja vacío.", @@ -310,9 +321,9 @@ "Single level wildcard (matches within a directory only)": "Comodín de nivel único (coincide solamente dentro de un directorio)", "Size": "Tamaño", "Smallest First": "El más pequeño primero", - "Some discovery methods could not be established for finding other devices or announcing this device:": "Some discovery methods could not be established for finding other devices or announcing this device:", + "Some discovery methods could not be established for finding other devices or announcing this device:": "No se han podido establecer algunos métodos de descubrimiento para encontrar otros dispositivos o para anunciar este dispositivo:", "Some items could not be restored:": "Algunos ítems no se pudieron restaurar:", - "Some listening addresses could not be enabled to accept connections:": "Some listening addresses could not be enabled to accept connections:", + "Some listening addresses could not be enabled to accept connections:": "Algunas direcciones de escucha no pudieron ser activadas para aceptar conexiones:", "Source Code": "Código fuente", "Stable releases and release candidates": "Versiones estables y versiones candidatas", "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "Las versiones estables son publicadas cada dos semanas. Durante este tiempo son probadas como versiones candidatas.", @@ -329,8 +340,8 @@ "Syncthing has been shut down.": "Syncthing se ha detenido.", "Syncthing includes the following software or portions thereof:": "Syncthing incluye el siguiente software o partes de él:", "Syncthing is Free and Open Source Software licensed as MPL v2.0.": "Syncthing es Software Gratuito y Open Source Software licenciado como MPL v2.0.", - "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing is listening on the following network addresses for connection attempts from other devices:", - "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.", + "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing está a la escucha en las siguientes direcciones de red en busca de intentos de conexión de otros dispositivos:", + "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing no está a la escucha de intentos de conexión de otros dispositivos en ninguna dirección. Solo pueden funcionar las conexiones salientes de este dispositivo.", "Syncthing is restarting.": "Syncthing se está reiniciando.", "Syncthing is upgrading.": "Syncthing se está actualizando.", "Syncthing now supports automatically reporting crashes to the developers. This feature is enabled by default.": "Syncthing ahora permite el informe automático de errores a los desarrolladores. Esta característica está activada por defecto.", @@ -349,13 +360,13 @@ "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "La ID del dispositivo introducida no parece válida. Debe ser una cadena de 52 ó 56 caracteres formada por letras y números, con espacios y guiones opcionales.", "The folder ID cannot be blank.": "La ID de la carpeta no puede estar vacía.", "The folder ID must be unique.": "La ID de la carpeta debe ser única.", - "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.", - "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.", + "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "El contenido de las carpetas de otros dispositivos será sobreescritos para que sea idéntico al de este dispositivo. Ficheros no presentes aquí serán eliminados de otros dispositivos.", + "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "El contenido de las carpetas en este dispositivo será sobreescrito para ser idéntico al de otros dispositivos. Los ficheros que se agreguen aquí se eliminarán.", "The folder path cannot be blank.": "La ruta de la carpeta no puede estar en blanco.", "The following intervals are used: for the first hour a version is kept every 30 seconds, for the first day a version is kept every hour, for the first 30 days a version is kept every day, until the maximum age a version is kept every week.": "Se utilizan los siguientes intervalos: para la primera hora se mantiene una versión cada 30 segundos, para el primer día se mantiene una versión cada hora, para los primeros 30 días se mantiene una versión diaria hasta la edad máxima de una semana.", "The following items could not be synchronized.": "Los siguientes elementos no pueden ser sincronizados.", "The following items were changed locally.": "Los siguientes ítems fueron cambiados localmente.", - "The following methods are used to discover other devices on the network and announce this device to be found by others:": "The following methods are used to discover other devices on the network and announce this device to be found by others:", + "The following methods are used to discover other devices on the network and announce this device to be found by others:": "Los siguientes métodos son usados para descubrir otros dispositivos en la red y anunciar este dispositivo para que sea encontrado por otros:", "The following unexpected items were found.": "Los siguientes elementos inesperados fueron encontrados.", "The interval must be a positive number of seconds.": "El intervalo debe ser un número positivo de segundos.", "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "El intervalo, en segundos, para realizar la limpieza del directorio de versiones. Cero para desactivar la limpieza periódica.", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "El límite de velocidad debe ser un número no negativo (0: sin límite)", "The rescan interval must be a non-negative number of seconds.": "El intervalo de actualización debe ser un número positivo de segundos.", "There are no devices to share this folder with.": "No hay equipos con los cuales compartir esta carpeta.", + "There are no file versions to restore.": "No hay versiones de archivo que restaurar.", "There are no folders to share with this device.": "No hay carpetas para compartir con este equipo.", "They are retried automatically and will be synced when the error is resolved.": "Se reintentarán de forma automática y se sincronizarán cuando se resuelva el error.", "This Device": "Este Dispositivo", + "This Month": "Este mes", "This can easily give hackers access to read and change any files on your computer.": "Esto podría permitir fácilmente el acceso a hackers para leer y modificar cualquier fichero de tu equipo.", - "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", + "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Este dispositivo no puede descubrir automáticamente a otros dispositivos o anunciar su propia dirección para que sea encontrado con otros. Solo dispositivos con direcciones configuradas como estáticas pueden conectarse.", "This is a major version upgrade.": "Hay una actualización importante.", "This setting controls the free space required on the home (i.e., index database) disk.": "Este ajuste controla el espacio libre necesario en el disco principal (por ejemplo, el índice de la base de datos).", "Time": "Hora", "Time the item was last modified": "Tiempo en el que se modificó el ítem por última vez", + "Today": "Hoy", "Trash Can File Versioning": "Versionado de archivos de la papelera", + "Twitter": "Twitter", "Type": "Tipo", "UNIX Permissions": "Permisos de UNIX", "Unavailable": "No disponible", @@ -389,9 +404,9 @@ "Unignore": "Designorar", "Unknown": "Desconocido", "Unshared": "No compartido", - "Unshared Devices": "Equipos no Compartidos", - "Unshared Folders": "Carpetas no Compartidas", - "Untrusted": "No Confiable", + "Unshared Devices": "Equipos no compartidos", + "Unshared Folders": "Carpetas no compartidas", + "Untrusted": "No confiable", "Up to Date": "Actualizado", "Updated": "Actualizado", "Upgrade": "Actualizar", @@ -407,10 +422,10 @@ "Versions": "Versiones", "Versions Path": "Ruta de las versiones", "Versions are automatically deleted if they are older than the maximum age or exceed the number of files allowed in an interval.": "Las versiones se borran automáticamente si son más antiguas que la edad máxima o exceden el número de ficheros permitidos en un intervalo.", - "Waiting to Clean": "Esperando para Limpiar", - "Waiting to Scan": "Esperando para Escanear", - "Waiting to Sync": "Esperando para Sincronizar", - "Warning": "Warning", + "Waiting to Clean": "Esperando para limpiar", + "Waiting to Scan": "Esperando para escanear", + "Waiting to Sync": "Esperando para sincronizar", + "Warning": "Advertencia", "Warning, this path is a parent directory of an existing folder \"{%otherFolder%}\".": "¡Peligro! Esta ruta es un directorio principal de la carpeta ya existente \"{{otherFolder}}\".", "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "'Peligro! Esta ruta es un subdirectorio de la carpeta ya existente \"{{otherFolderLabel}}\" ({{otherFolder}}).", "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "Peligro! Esta ruta es un subdirectorio de una carpeta ya existente llamada \"{{otherFolder}}\".", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Cuando añada un nuevo dispositivo, tenga en cuenta que este debe añadirse también en el otro lado.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Cuando añada una nueva carpeta, tenga en cuenta que su ID se usa para unir carpetas entre dispositivos. Son sensibles a las mayúsculas y deben coincidir exactamente entre todos los dispositivos.", "Yes": "Si", + "Yesterday": "Ayer", "You can also select one of these nearby devices:": "Puedes seleccionar también uno de estos dispositivos cercanos:", "You can change your choice at any time in the Settings dialog.": "Puedes cambiar tu elección en cualquier momento en el panel de Ajustes.", "You can read more about the two release channels at the link below.": "Puedes leer más sobre los dos método de publicación de versiones en el siguiente enlace.", @@ -429,13 +445,17 @@ "You have no ignored folders.": "No tienes carpetas ignoradas.", "You have unsaved changes. Do you really want to discard them?": "Tienes cambios sin guardar. ¿Quieres descartarlos?", "You must keep at least one version.": "Debes mantener al menos una versión.", - "You should never add or change anything locally in a \"{%receiveEncrypted%}\" folder.": "Nunca debe agregar o cambiar nada localmente en una carpeta \"{{receiveEncrypted}}\".", + "You should never add or change anything locally in a \"{%receiveEncrypted%}\" folder.": "Nunca debes añadir o cambiar nada localmente en una carpeta \"{{receiveEncrypted}}\".", "days": "días", "directories": "directorios", "files": "archivos", "full documentation": "Documentación completa", "items": "Elementos", "seconds": "segundos", + "theme-name-black": "Negro", + "theme-name-dark": "Oscuro", + "theme-name-default": "Por Defecto", + "theme-name-light": "Claro", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} quiere compartir la carpeta \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} quiere compartir la carpeta \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} puede reintroducir este equipo." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-es.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-es.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-es.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-es.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Agregar Carpeta", "Add Remote Device": "Añadir un dispositivo", "Add devices from the introducer to our device list, for mutually shared folders.": "Añadir dispositivos desde el introductor a nuestra lista de dispositivos, para las carpetas compartidas mutuamente.", + "Add ignore patterns": "Agregar patrones a ignorar", "Add new folder?": "¿Agregar una carpeta nueva?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Además, el intervalo de reexploración completo se incrementará (60 veces, es decir, nuevo valor predeterminado de 1h). También puedes configurarlo manualmente para cada carpeta más adelante después de seleccionar No", "Address": "Dirección", @@ -18,20 +19,23 @@ "Advanced": "Avanzado", "Advanced Configuration": "Configuración Avanzada", "All Data": "Todos los datos", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Todas las carpetas compartidas con este dispositivo deben estar protegidas por una contraseña, de forma que todos los datos enviados sean ilegibles sin la contraseña indicada.", "Allow Anonymous Usage Reporting?": "¿Deseas permitir el envío anónimo de informes de uso?", "Allowed Networks": "Redes permitidas", "Alphabetic": "Alfabético", + "Altered by ignoring deletes.": "Alterado al ignorar eliminaciones.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Un comando externo maneja las versiones. Tienes que eliminar el archivo de la carpeta compartida. Si la ruta a la aplicación contiene espacios, ésta debe estar entre comillas.", "Anonymous Usage Reporting": "Informe anónimo de uso", "Anonymous usage report format has changed. Would you like to move to the new format?": "El formato del informe de uso anónimo a cambiado. ¿Desearía usar el nuevo formato?", - "Are you sure you want to continue?": "Are you sure you want to continue?", - "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", + "Apply": "Apply", + "Are you sure you want to continue?": "¿Está seguro(a) de que desea continuar?", + "Are you sure you want to override all remote changes?": "¿Está seguro(a) de que desea sobreescribir todos los cambios remotos?", "Are you sure you want to permanently delete all these files?": "¿Está seguro de que desea eliminar permanente todos estos archivos?", "Are you sure you want to remove device {%name%}?": "¿Está seguro que desea eliminar el dispositivo {{name}}?", "Are you sure you want to remove folder {%label%}?": "¿Está seguro que desea eliminar la carpeta {{label}}?", "Are you sure you want to restore {%count%} files?": "¿Está seguro que desea restaurar {{count}} archivos?", - "Are you sure you want to revert all local changes?": "Are you sure you want to revert all local changes?", + "Are you sure you want to revert all local changes?": "¿Está seguro(a) de que desea revertir todos los cambios locales?", "Are you sure you want to upgrade?": "¿Está seguro(a) de que desea actualizar?", "Auto Accept": "Aceptar automáticamente", "Automatic Crash Reporting": "Informe Automático de Fallos", @@ -42,13 +46,13 @@ "Available debug logging facilities:": "Funciones de registro de depuración disponibles:", "Be careful!": "¡Ten cuidado!", "Bugs": "Errores", - "Cancel": "Cancel", + "Cancel": "Cancelar", "Changelog": "Registro de cambios", "Clean out after": "Limpiar tras", "Cleaning Versions": "Limpiando Versiones", "Cleanup Interval": "Intervalo de Limpieza", "Click to see discovery failures": "Clica para ver fallos de descubrimiento.", - "Click to see full identification string and QR code.": "Click to see full identification string and QR code.", + "Click to see full identification string and QR code.": "Haga clic para ver la cadena de identificación completa y su código QR.", "Close": "Cerrar", "Command": "Acción", "Comment, when used at the start of a line": "Comentar, cuando se usa al comienzo de una línea", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Derechos de Autor © 2014-2019 los siguientes colaboradores:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Crear patrones a ignorar, sobreescribiendo un fichero existente en {{path}}.", "Currently Shared With Devices": "Actualmente Compartida con los Dispositivos", + "Custom Range": "Custom Range", "Danger!": "¡Peligro!", "Debugging Facilities": "Servicios de depuración", "Default Configuration": "Configuración Predeterminada", @@ -71,7 +76,7 @@ "Default Folder": "Carpeta Predeterminada", "Default Folder Path": "Ruta de la carpeta por defecto", "Defaults": "Valores Predeterminados", - "Delete": "Suprimir", + "Delete": "Eliminar", "Delete Unexpected Items": "Borrar Elementos Inesperados", "Deleted": "Eliminado", "Deselect All": "Deseleccionar Todo", @@ -98,9 +103,9 @@ "Discovered": "Descubierto", "Discovery": "Descubrimiento", "Discovery Failures": "Fallos de Descubrimiento", - "Discovery Status": "Discovery Status", - "Dismiss": "Dismiss", - "Do not add it to the ignore list, so this notification may recur.": "Do not add it to the ignore list, so this notification may recur.", + "Discovery Status": "Estado de Descubrimiento", + "Dismiss": "Descartar", + "Do not add it to the ignore list, so this notification may recur.": "No agregarlo a la lista de ignorados, de modo que esta notificación sea recurrente.", "Do not restore": "No restaurar", "Do not restore all": "No restaurar todos", "Do you want to enable watching for changes for all your folders?": "¿Deseas activar el control de cambios en todas tus carpetas?", @@ -126,7 +131,8 @@ "Error": "Error", "External File Versioning": "Versionado externo de fichero", "Failed Items": "Elementos fallidos", - "Failed to load ignore patterns.": "Failed to load ignore patterns.", + "Failed to load file versions.": "Failed to load file versions.", + "Failed to load ignore patterns.": "Fallo al cargar patrones a ignorar", "Failed to setup, retrying": "Fallo en la configuración, reintentando", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Se espera un fallo al conectar a los servidores IPv6 si no hay conectividad IPv6.", "File Pull Order": "Orden de Obtención de los Archivos", @@ -143,7 +149,7 @@ "Folder Label": "Etiqueta de la Carpeta", "Folder Path": "Ruta de la carpeta", "Folder Type": "Tipo de carpeta", - "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Folder type \"{{receiveEncrypted}}\" can only be set when adding a new folder.", + "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "El tipo de carpeta \"{{receiveEncrypted}}\" solo puede ser establecido al agregar una nueva carpeta.", "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "El tipo de carpeta \"{{receiveEncrypted}}\" no se puede cambiar después de añadir la carpeta. Es necesario eliminar la carpeta, borrar o descifrar los datos en el disco y volver a añadir la carpeta.", "Folders": "Carpetas", "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "En las siguientes carpetas se ha producido un error al empezar a buscar cambios. Se volverá a intentar cada minuto, por lo que los errores podrían solucionarse pronto. Si persisten, trata de arreglar el problema subyacente y pide ayuda si no puedes.", @@ -162,12 +168,13 @@ "Help": "Ayuda", "Home page": "Página de inicio", "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "Sin embargo, su configuración actual indica que puede no quererla activa. Hemos desactivado los informes automáticos de fallos por usted.", - "Identification": "Identification", + "Identification": "Identificación", "If untrusted, enter encryption password": "Si no es de confianza, introduzca la contraseña de cifrado", "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Si desea evitar que otros usuarios de esta computadora accedan a Syncthing y, a través de él, a sus archivos, considere establecer la autenticación.", "Ignore": "Ignorar", "Ignore Patterns": "Patrones a ignorar", "Ignore Permissions": "Permisos a ignorar", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Los patrones a ignorar solo se pueden agregar luego de que la carpeta sea creada. Cuando se marca, se presentará un campo de entrada para introducir los patrones a ignorar después de guardar.", "Ignored Devices": "Dispositivos ignorados", "Ignored Folders": "Carpetas ignoradas", "Ignored at": "Ignorados en", @@ -179,13 +186,16 @@ "Keep Versions": "Mantener versiones", "LDAP": "LDAP", "Largest First": "Más grande primero", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Último escaneo", "Last seen": "Visto por última vez", "Latest Change": "Último Cambio", "Learn more": "Saber más", "Limit": "Límite", - "Listener Failures": "Listener Failures", - "Listener Status": "Listener Status", + "Listener Failures": "Fallos de Oyente", + "Listener Status": "Estado de Oyente", "Listeners": "Oyentes", "Loading data...": "Cargando datos...", "Loading...": "Cargando...", @@ -224,7 +234,7 @@ "Out of Sync": "No sincronizado", "Out of Sync Items": "Elementos no sincronizados", "Outgoing Rate Limit (KiB/s)": "Límite de subida (KiB/s)", - "Override": "Override", + "Override": "Sobreescribir", "Override Changes": "Anular cambios", "Path": "Ruta", "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "Ruta a la carpeta en la máquina local. Se creará si no existe. El carácter de la tilde (~) puede usarse como atajo.", @@ -238,19 +248,19 @@ "Periodic scanning at given interval and disabled watching for changes": "Escaneando periódicamente a un intervalo dado y detección de cambios desactivada", "Periodic scanning at given interval and enabled watching for changes": "Escaneando periódicamente a un intervalo dado y detección de cambios activada", "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "Escaneando periódicamente a un intervalo dado y falló la configuración para detectar cambios, volviendo a intentarlo cada 1 m:", - "Permanently add it to the ignore list, suppressing further notifications.": "Permanently add it to the ignore list, suppressing further notifications.", + "Permanently add it to the ignore list, suppressing further notifications.": "Agregarlo permanentemente a la lista de ignorados, suprimiendo futuras notificaciones.", "Permissions": "Permisos", "Please consult the release notes before performing a major upgrade.": "Por favor, consultar las notas de la versión antes de realizar una actualización importante.", "Please set a GUI Authentication User and Password in the Settings dialog.": "Por favor, introduzca un Usuario y Contraseña para la Autenticación de la Interfaz de Usuario en el panel de Ajustes.", "Please wait": "Por favor, espere", - "Prefix indicating that the file can be deleted if preventing directory removal": "Prefix indicating that the file can be deleted if preventing directory removal", + "Prefix indicating that the file can be deleted if preventing directory removal": "Prefijo que indica que el archivo puede ser eliminado si se impide el borrado del directorio", "Prefix indicating that the pattern should be matched without case sensitivity": "Prefix indicating that the pattern should be matched without case sensitivity", "Preparing to Sync": "Preparándose para Sincronizar", "Preview": "Vista previa", "Preview Usage Report": "Informe de uso de vista previa", "Quick guide to supported patterns": "Guía rápida de patrones soportados", "Random": "Aleatorio", - "Receive Encrypted": "Recibir Encriptado(s)", + "Receive Encrypted": "Recibir Encriptado", "Receive Only": "Solo Recibir", "Received data is already encrypted": "Los datos recibidos ya están cifrados", "Recent Changes": "Cambios recientes", @@ -274,7 +284,7 @@ "Resume": "Continuar", "Resume All": "Continuar todo", "Reused": "Reutilizado", - "Revert": "Revert", + "Revert": "Revertir", "Revert Local Changes": "Revertir Cambios Locales", "Save": "Guardar", "Scan Time Remaining": "Tiempo Restante de Escaneo", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Selecciona las carpetas para compartir con este dispositivo.", "Send & Receive": "Enviar y Recibir", "Send Only": "Solo Enviar", + "Set Ignores on Added Folder": "Establecer Ignorados en Carpeta Agregada", "Settings": "Ajustes", "Share": "Compartir", "Share Folder": "Compartir carpeta", @@ -299,8 +310,8 @@ "Sharing": "Compartiendo", "Show ID": "Mostrar ID", "Show QR": "Mostrar QR", - "Show detailed discovery status": "Show detailed discovery status", - "Show detailed listener status": "Show detailed listener status", + "Show detailed discovery status": "Mostrar estado de descubrimiento detallado", + "Show detailed listener status": "Mostrar estado de oyente detallado", "Show diff with previous version": "Mostrar la diferencia con la versión anterior", "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "Se muestra en lugar del ID del dispositivo en el estado del grupo (cluster). Se notificará a los otros dispositivos como nombre opcional por defecto.", "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "Se muestra en lugar del ID del dispositivo en el estado del grupo (cluster). Se actualizará al nombre que el dispositivo anuncia si se deja vacío.", @@ -310,9 +321,9 @@ "Single level wildcard (matches within a directory only)": "Comodín de nivel único (coincide solamente dentro de un directorio)", "Size": "Tamaño", "Smallest First": "El más pequeño primero", - "Some discovery methods could not be established for finding other devices or announcing this device:": "Some discovery methods could not be established for finding other devices or announcing this device:", + "Some discovery methods could not be established for finding other devices or announcing this device:": "No se han podido establecer algunos métodos de descubrimiento para encontrar otros dispositivos o para anunciar este dispositivo:", "Some items could not be restored:": "Algunos ítemes no pudieron ser restaurados:", - "Some listening addresses could not be enabled to accept connections:": "Some listening addresses could not be enabled to accept connections:", + "Some listening addresses could not be enabled to accept connections:": "Algunas direcciones de escucha no pudieron ser activadas para aceptar conexiones:", "Source Code": "Código fuente", "Stable releases and release candidates": "Versiones estables y versiones candidatas", "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "Las versiones estables son publicadas cada dos semanas. Durante este tiempo son probadas como versiones candidatas.", @@ -329,8 +340,8 @@ "Syncthing has been shut down.": "Syncthing se ha detenido.", "Syncthing includes the following software or portions thereof:": "Syncthing incluye el siguiente software o partes de él:", "Syncthing is Free and Open Source Software licensed as MPL v2.0.": "Syncthing es Software Libre y de Código Abierto con licencia MPL v2.0.", - "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing is listening on the following network addresses for connection attempts from other devices:", - "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.", + "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing está a la escucha en las siguientes direcciones de red en busca de intentos de conexión de otros dispositivos:", + "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing no está a la escucha de intentos de conexión de otros dispositivos en ninguna dirección. Solo pueden funcionar las conexiones salientes de este dispositivo.", "Syncthing is restarting.": "Syncthing se está reiniciando.", "Syncthing is upgrading.": "Syncthing se está actualizando.", "Syncthing now supports automatically reporting crashes to the developers. This feature is enabled by default.": "Syncthing ahora soporta el reportar automáticamente las fallas a los desarrolladores. Esta característica está habilitada por defecto.", @@ -349,13 +360,13 @@ "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "La ID del dispositivo introducida no parece válida. Debe ser una cadena de 52 ó 56 caracteres formada por letras y números, con espacios y guiones opcionales.", "The folder ID cannot be blank.": "La ID de la carpeta no puede estar vacía.", "The folder ID must be unique.": "La ID de la carpeta debe ser única.", - "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.", - "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.", + "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "El contenido de las carpetas de otros dispositivos será sobreescritos para que sea idéntico al de este dispositivo. Archivos no presentes aquí serán eliminados de otros dispositivos.", + "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "El contenido de las carpetas en este dispositivo será sobreescrito para ser idéntico al de otros dispositivos. Los archivos que se agreguen aquí se eliminarán.", "The folder path cannot be blank.": "La ruta de la carpeta no puede estar en blanco.", "The following intervals are used: for the first hour a version is kept every 30 seconds, for the first day a version is kept every hour, for the first 30 days a version is kept every day, until the maximum age a version is kept every week.": "Se utilizan los siguientes intervalos: para la primera hora se mantiene una versión cada 30 segundos, para el primer día se mantiene una versión cada hora, para los primeros 30 días se mantiene una versión diaria hasta la edad máxima de una semana.", "The following items could not be synchronized.": "Los siguientes elementos no pueden ser sincronizados.", "The following items were changed locally.": "Los siguientes elementos fueron cambiados localmente.", - "The following methods are used to discover other devices on the network and announce this device to be found by others:": "The following methods are used to discover other devices on the network and announce this device to be found by others:", + "The following methods are used to discover other devices on the network and announce this device to be found by others:": "Los siguientes métodos son usados para descubrir otros dispositivos en la red y anunciar este dispositivo para que sea encontrado por otros:", "The following unexpected items were found.": "Los siguientes elementos inesperados fueron encontrados.", "The interval must be a positive number of seconds.": "El intervalo debe ser un número de segundos positivo.", "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "El intervalo, en segundos, para ejecutar la limpieza del directorio de versiones. Cero para desactivar la limpieza periódica.", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "El límite de velocidad debe ser un número no negativo (0: sin límite)", "The rescan interval must be a non-negative number of seconds.": "El intervalo de actualización debe ser un número positivo de segundos.", "There are no devices to share this folder with.": "No hay dispositivos con los cuales compartir esta carpeta.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "No hay carpetas para compartir con este dispositivo.", "They are retried automatically and will be synced when the error is resolved.": "Se reintentarán de forma automática y se sincronizarán cuando se resuelva el error.", "This Device": "Este Dispositivo", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Esto podría permitir fácilmente el acceso a hackers para leer y modificar cualquier fichero de tu equipo.", - "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", + "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Este dispositivo no puede descubrir automáticamente a otros dispositivos o anunciar su propia dirección para que sea encontrado con otros. Solo dispositivos con direcciones configuradas como estáticas pueden conectarse.", "This is a major version upgrade.": "Hay una actualización importante.", "This setting controls the free space required on the home (i.e., index database) disk.": "Este ajuste controla el espacio libre necesario en el disco principal (por ejemplo, el índice de la base de datos).", "Time": "Hora", "Time the item was last modified": "Hora en que el ítem fue modificado por última vez", + "Today": "Today", "Trash Can File Versioning": "Versionado de archivos de la papelera", + "Twitter": "Twitter", "Type": "Tipo", "UNIX Permissions": "Permisos de UNIX", "Unavailable": "No disponible", @@ -401,7 +416,7 @@ "Uptime": "Tiempo de funcionamiento", "Usage reporting is always enabled for candidate releases.": "El informe de uso está siempre habilitado en las versiones candidatas.", "Use HTTPS for GUI": "Usar HTTPS para la Interfaz Gráfica de Usuario (GUI)", - "Use notifications from the filesystem to detect changed items.": "Use notifications from the filesystem to detect changed items.", + "Use notifications from the filesystem to detect changed items.": "Usar notificaciones del sistema de archivos para detectar elementos cambiados.", "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "No se ha configurado el nombre de usuario/la contraseña para la autenticación de la GUI. Por favor, considere configurarlos.", "Version": "Versión", "Versions": "Versiones", @@ -410,7 +425,7 @@ "Waiting to Clean": "Esperando para Limpiar", "Waiting to Scan": "Esperando para Escanear", "Waiting to Sync": "Esperando para Sincronizar", - "Warning": "Warning", + "Warning": "Advertencia", "Warning, this path is a parent directory of an existing folder \"{%otherFolder%}\".": "¡Peligro! Esta ruta es un directorio principal de la carpeta ya existente \"{{otherFolder}}\".", "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "'Peligro! Esta ruta es un subdirectorio de la carpeta ya existente \"{{otherFolderLabel}}\" ({{otherFolder}}).", "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "Peligro! Esta ruta es un subdirectorio de una carpeta ya existente llamada \"{{otherFolder}}\".", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Cuando añada un nuevo dispositivo, tenga en cuenta que este debe añadirse también en el otro lado.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Cuando añada una nueva carpeta, tenga en cuenta que su ID se usa para unir carpetas entre dispositivos. Son sensibles a las mayúsculas y deben coincidir exactamente entre todos los dispositivos.", "Yes": "Si", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "También puede seleccionar uno de estos dispositivos cercanos:", "You can change your choice at any time in the Settings dialog.": "Puedes cambiar tu elección en cualquier momento en el panel de Ajustes.", "You can read more about the two release channels at the link below.": "Puedes leer más sobre los dos método de publicación de versiones en el siguiente enlace.", @@ -436,6 +452,10 @@ "full documentation": "Documentación completa", "items": "Elementos", "seconds": "segundos", + "theme-name-black": "Negro", + "theme-name-dark": "Oscuro", + "theme-name-default": "Por Defecto", + "theme-name-light": "Claro", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} quiere compartir la carpeta \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} quiere compartir la carpeta \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} puede reintroducir este dispositivo." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-eu.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-eu.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-eu.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-eu.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Karpeta gehitu", "Add Remote Device": "Urrundikako tresna bat gehitu", "Add devices from the introducer to our device list, for mutually shared folders.": "Gure tresna zerrendan tresnak gehitzea baimendu, partekatzeetan.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Karpeta berria gehitu?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Gainera, berresplorazio osoaren tartea handitu egingo da (60 aldiz, hau da, lehenetsitako balio berria, 1 ordukoa). Halaber, eskuz konfigura dezakezu karpeta bakoitzerako, Ez hautatu ondoren.", "Address": "Helbidea", @@ -18,13 +19,16 @@ "Advanced": "Aitzinatua", "Advanced Configuration": "Konfigurazio aitzinatua", "All Data": "Datu guziak", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Gailu honekin partekatutako karpeta guztiak pasahitz baten bidez babestu behar dira, horrela, bidalitako datu guztiak irakurri ezinak izango dira emandako pasahitzik gabe.", "Allow Anonymous Usage Reporting?": "Izenik gabeko erabiltze erreportak baimendu?", "Allowed Networks": "Sare baimenduak", "Alphabetic": "Alfabetikoa", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Kanpoko kontrolagailu batek fitxategien bertsioak kudeatzen ditu. Fitxategiak kendu behar ditu errepertorio sinkronizatuan. Aplikaziorako ibilbideak espazioak baditu, komatxo artean egon behar du.", "Anonymous Usage Reporting": "Izenik gabeko erabiltze erreportak", "Anonymous usage report format has changed. Would you like to move to the new format?": "Erabilera anonimoko txostenaren formatua aldatu egin da. Formatu berria erabili nahi duzu?", + "Apply": "Apply", "Are you sure you want to continue?": "Ziur zaude jarraitu nahi duzula?", "Are you sure you want to override all remote changes?": "Ziur zaude urruneko aldaketa guztiak gainidatzi nahi dituzula?", "Are you sure you want to permanently delete all these files?": "Ziur zaude fitxategi guzti hauek betirako ezabatu nahi dituzula?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright 2014-2019 ekarle hauek:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Baztertze modelo batzuen sortzea, dagoen fitxategiari ordaina ezartzea: {{path}}", "Currently Shared With Devices": "Gaur egun tresnekin partekatua", + "Custom Range": "Custom Range", "Danger!": "Lanjera !", "Debugging Facilities": "Arazketa zerbitzuak", "Default Configuration": "Konfigurazio lehenetsia", @@ -126,6 +131,7 @@ "Error": "Hutsa", "External File Versioning": "Fitxategi bertsioen kanpoko kudeaketa", "Failed Items": "Huts egin duten fitxategiak", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Huts egin du baztertze ereduak kargatzean.", "Failed to setup, retrying": "Konfigurazioan huts egitea, berriro saiatuz", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "IPv6 zerbitzariei buruzko konexioak huts eginen du, IPv6 konektibitaterik ez bada", @@ -168,6 +174,7 @@ "Ignore": "Kontuan ez hartu", "Ignore Patterns": "Baztertzeak", "Ignore Permissions": "Baimenak kontuan ez hartu", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Bazter utzitako tresnak", "Ignored Folders": "Bazter utzitako karpetak", "Ignored at": "Hemen baztertuak", @@ -179,6 +186,9 @@ "Keep Versions": "Gorde bertsioak", "LDAP": "LDAP", "Largest First": "Handienak lehenik", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Azken azterketa", "Last seen": "Azken agerraldia", "Latest Change": "Azken aldaketa", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Tresna honek erabiltzen dituen partekatzeak hauta itzazu", "Send & Receive": "Igorri eta errezibitu", "Send Only": "Igorrri bakarrik", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Konfigurazioa", "Share": "Partekatu", "Share Folder": "Partekatzea", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Ixuriaren emaria ez da negatiboa izaiten ahal (0 = mugarik gabekoa)", "The rescan interval must be a non-negative number of seconds.": "Ikerketaren tartea ez da segundo kopuru negatiboa izaiten ahal", "There are no devices to share this folder with.": "Ez dago partekatutako erabilera horri gehitzeko gailurik.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "Ez dago gailu honekin partekatzeko karpetarik.", "They are retried automatically and will be synced when the error is resolved.": "Errorea zuzendua izanen delarik, automatikoki berriz entseatuak et sinkronizatuak izanen dira", "This Device": "Tresna hau", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Hunek errexki irakurtzen eta aldatzen uzten ahal du zure ordenagailuko edozein fitxero, nahiz eta sartu denak ez haizu izan!", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Gailu honek ezin ditu automatikoki beste gailu batzuk aurkitu edo bere helbidea iragarri beste batzuek aurkitzeko. Estatikoki konfiguratutako helbideak dituzten gailuak bakarrik konekta daitezke.", "This is a major version upgrade.": "Aktualizatze garrantzitsu bat da", "This setting controls the free space required on the home (i.e., index database) disk.": "Behar den espazio kontrolatzen du egokitze honek, zure erabiltzale partekatzea geritzatzen duen diskoan (hori da, indexazio datu-basean)", "Time": "Ordua", "Time the item was last modified": "Itema azkenekoz aldatu zen ordua", + "Today": "Today", "Trash Can File Versioning": "Zakarrontzia", + "Twitter": "Twitter", "Type": "Mota", "UNIX Permissions": "UNIX baimenak", "Unavailable": "Ez dago erabilgarri", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Tresna bat gehitzen duzularik, gogoan atxik ezazu zurea bestaldean gehitu behar dela ere", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Partekatze bat gehitzen delarik, gogoan atxik ezazu bere IDa erabilia dela errepertorioak lotzeko tresnen bitartez. ID-a hautskorra da eta partekatze hontan parte hartzen duten tresna guzietan berdina izan behar du.", "Yes": "Bai", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Gertuko gailu hauetako bat ere hauta dezakezu:", "You can change your choice at any time in the Settings dialog.": "Zure hautua aldatzen ahal duzu \"Konfigurazio\" leihatilan", "You can read more about the two release channels at the link below.": "Bi banaketa kanal hauen bidez gehiago jakin dezakezu, lokarri honen bidez ", @@ -436,6 +452,10 @@ "full documentation": "Dokumentazio osoa", "items": "Elementuak", "seconds": "segunduak", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}}k \"{{folder}}\" partekatze hontan gomitatzen zaitu.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}}k \"{{folderlabel}}\" ({{folder}}) hontan gomitatzen zaitu.", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} -ek gailu hau birsar lezake." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-fi.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-fi.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-fi.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-fi.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Lisää kansio", "Add Remote Device": "Lisää laite", "Add devices from the introducer to our device list, for mutually shared folders.": "Lisää laitteet esittelijältä tämän koneen laitelistaan yhteisiksi jaetuiksi kansioiksi.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Lisää uusi kansio?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Lisäksi täysi kansioiden skannausväli kasvaa (60-kertaiseksi, uusi oletus on siis yksi tunti). Voit kuitenkin asettaa skannausvälin kansiokohtaisesti myöhemmin vaikka valitset nyt \"ei\".", "Address": "Osoite", @@ -18,13 +19,16 @@ "Advanced": "Lisäasetukset", "Advanced Configuration": "Kehittyneet asetukset", "All Data": "Kaikki data", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Salli anonyymi käyttöraportointi?", "Allowed Networks": "Sallitut verkot", "Alphabetic": "Aakkosellinen", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Ulkoinen komento hallitsee versionnin. Sen täytyy poistaa tiedosto synkronoidusta kansiosta. Mikäli ohjelman polussa on välilyöntejä se on laitettava lainausmerkkeihin.", "Anonymous Usage Reporting": "Anonyymi käyttöraportointi", "Anonymous usage report format has changed. Would you like to move to the new format?": "Anonyymi käyttöraportti on muuttunut. Haluatko vaihtaa uuteen muotoon?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Tekijänoikeus © 2014-2019 seuraavat avustajat:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Luodaan ohituslausekkeet. Ylikirjoitetaan tiedosto: {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Vaara!", "Debugging Facilities": "Debug -luokat", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Virhe", "External File Versioning": "Ulkoinen tiedostoversionti", "Failed Items": "Epäonnistuneet kohteet", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Käyttöönotto epäonnistui. Yritetään uudelleen.", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Yhteys IPv6-palvelimiin todennäköisesti epäonnistuu, koska IPv6-yhteyksiä ei ole.", @@ -168,6 +174,7 @@ "Ignore": "Ohita", "Ignore Patterns": "Ohituslausekkeet", "Ignore Permissions": "Jätä oikeudet huomiotta", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ohitetut laitteet", "Ignored Folders": "Ohitetut kansiot", "Ignored at": "Ohitettu (laitteessa)", @@ -179,6 +186,9 @@ "Keep Versions": "Säilytä versiot", "LDAP": "LDAP", "Largest First": "Suurin ensin", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Viimeisin skannaus", "Last seen": "Nähty viimeksi", "Latest Change": "Viimeisin muutos", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Valitse kansiot jaettavaksi tämän laitteen kanssa.", "Send & Receive": "Lähetä & vastaanota", "Send Only": "Vain lähetys", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Asetukset", "Share": "Jaa", "Share Folder": "Jaa kansio", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Nopeusrajan tulee olla positiivinen luku tai nolla. (0: ei rajaa)", "The rescan interval must be a non-negative number of seconds.": "Uudelleenskannauksen aikavälin tulee olla ei-negatiivinen numero sekunteja.", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "Niiden synkronointia yritetään uudelleen automaattisesti.", "This Device": "Tämä laite", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Tämä voi helposti sallia vihamielisille tahoille pääsyn lukea ja muokata kaikkia tiedostojasi", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Tämä on pääversion päivitys.", "This setting controls the free space required on the home (i.e., index database) disk.": "Tämä asetus määrittää vaaditun vapaan levytilan kotikansiossa (se missä index-tietokanta on).", "Time": "Aika", "Time the item was last modified": "Aika jolloin kohdetta viimeksi muokattiin", + "Today": "Today", "Trash Can File Versioning": "Roskakorin tiedostoversiointi", + "Twitter": "Twitter", "Type": "Tyyppi", "UNIX Permissions": "UNIX Permissions", "Unavailable": "Ei saatavilla", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Lisättäessä laitetta, muista että tämä laite tulee myös lisätä toiseen laitteeseen.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Lisättäessä uutta kansiota, muista että kansion ID:tä käytetään solmimaan kansiot yhteen laitteiden välillä. Ne ovat riippuvaisia kirjankoosta ja niiden tulee täsmätä kaikkien laitteiden välillä.", "Yes": "Kyllä", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Voit myös valita jonkin näistä lähellä olevista laitteista:", "You can change your choice at any time in the Settings dialog.": "Voit muuttaa valintaasi koska tahansa \"Asetukset\" -valikossa.", "You can read more about the two release channels at the link below.": "Voit lukea lisää kahdesta julkaisukanavasta alla olevasta linkistä.", @@ -436,6 +452,10 @@ "full documentation": "täysi dokumentaatio", "items": "kohteet", "seconds": "seconds", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} haluaa jakaa kansion \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} haluaa jakaa kansion \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-fr.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-fr.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-fr.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-fr.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Ajouter un partage...", "Add Remote Device": "Ajouter un appareil...", "Add devices from the introducer to our device list, for mutually shared folders.": "ATTENTION !!! Lui permettre d'ajouter et enlever des membres à toutes mes listes de membres des partages dont il fait (ou fera !) partie (ceci permet de créer automatiquement toutes les liaisons point à point possibles en complétant mes listes par les siennes, meilleur débit de réception par cumul des débits d'envoi, indépendance vis à vis de l'introducteur, etc).", + "Add ignore patterns": "Ajouter des masques d'exclusion", "Add new folder?": "Ajouter ce partage ?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Dans ce cas, l'intervalle de réanalyse complète sera augmenté (60 fois, c.-à-d. une nouvelle valeur par défaut de 1h). Vous pouvez également la configurer manuellement plus tard, pour chaque partage, après avoir choisi Non.", "Address": "Adresse", @@ -18,13 +19,16 @@ "Advanced": "Avancé", "Advanced Configuration": "Configuration avancée", "All Data": "Toutes les données", + "All Time": "Toujours", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Tous les partages pour cet appareil doivent être protégés par mot de passe, de sorte que les données envoyées soient illisibles sans le mot de passe.", "Allow Anonymous Usage Reporting?": "Autoriser l'envoi de statistiques d'utilisation anonymisées ?", "Allowed Networks": "Réseaux autorisés", "Alphabetic": "Alphabétique", + "Altered by ignoring deletes.": "Altéré par \"Ignore Delete\".", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Une commande externe gère les versions de fichiers. Il lui incombe de supprimer les fichiers du répertoire partagé. Si le chemin contient des espaces, il doit être spécifié entre guillemets.", "Anonymous Usage Reporting": "Rapport anonyme de statistiques d'utilisation", "Anonymous usage report format has changed. Would you like to move to the new format?": "Le format du rapport anonyme d'utilisation a changé. Voulez-vous passer au nouveau format ?", + "Apply": "Apply", "Are you sure you want to continue?": "Confirmez-vous ?", "Are you sure you want to override all remote changes?": "Voulez-vous vraiment écraser tous les changements distants ?", "Are you sure you want to permanently delete all these files?": "Êtes-vous sûrs de vouloir définitivement supprimer tous ces fichiers ?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 les Contributeurs suivants :", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Création de masques d'exclusion, remplacement du fichier existant : {{path}}.", "Currently Shared With Devices": "Appareils membres actuels de ce partage :", + "Custom Range": "Plage personnalisée", "Danger!": "Attention !", "Debugging Facilities": "Outils de débogage", "Default Configuration": "Préférences pour les créations (non rétroactif)", @@ -100,7 +105,7 @@ "Discovery Failures": "Échecs de découverte", "Discovery Status": "État de la découverte", "Dismiss": "Écarter", - "Do not add it to the ignore list, so this notification may recur.": "Ne pas l'ajouter à la liste permanente à ignorer, pour que cette notification puisse réapparaître.", + "Do not add it to the ignore list, so this notification may recur.": "Attendre la disparition de cette demande : évite l'ajout immédiat à la liste noire persistante.", "Do not restore": "Ne pas restaurer", "Do not restore all": "Ne pas tout restaurer", "Do you want to enable watching for changes for all your folders?": "Voulez-vous activer la surveillance des changements sur tous vos partages ?", @@ -126,6 +131,7 @@ "Error": "Erreur", "External File Versioning": "Gestion externe des versions de fichiers", "Failed Items": "Éléments en échec", + "Failed to load file versions.": "Échec de chargement des versions de fichiers.", "Failed to load ignore patterns.": "Échec du chargement des masques d'exclusions.", "Failed to setup, retrying": "Échec, nouvel essai", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "La connexion aux serveurs en IPv6 va échouer s'il n'y a pas de connectivité IPv6.", @@ -168,6 +174,7 @@ "Ignore": "Refuser", "Ignore Patterns": "Exclusions...", "Ignore Permissions": "Ignorer les permissions", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "L'ajout de masques d'exclusion ne peut se faire qu'après la création du partage. En cochant cette case il vous sera proposé de saisir (ou si vous avez déjà défini des valeurs par défaut, de compléter) une liste d'exclusions après l'enregistrement. ", "Ignored Devices": "Appareils refusés", "Ignored Folders": "Partages refusés", "Ignored at": "Refusé le", @@ -179,6 +186,9 @@ "Keep Versions": "Nombre de versions à conserver", "LDAP": "LDAP", "Largest First": "Les plus volumineux en premier", + "Last 30 Days": "Les 30 derniers jours", + "Last 7 Days": "Les 7 derniers jours", + "Last Month": "Le mois dernier", "Last Scan": "Dernière analyse", "Last seen": "Dernière apparition", "Latest Change": "Dernier changement", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Choisir les partages auxquels cet appareil doit participer :", "Send & Receive": "Envoi & réception", "Send Only": "Envoi (lecture seule)", + "Set Ignores on Added Folder": "Définir des exclusions pour le nouveau partage", "Settings": "Configuration", "Share": "Partager", "Share Folder": "Partager", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "La limite de débit ne doit pas être négative (0 = pas de limite)", "The rescan interval must be a non-negative number of seconds.": "L'intervalle d'analyse ne doit pas être un nombre négatif de secondes.", "There are no devices to share this folder with.": "Il n'y a aucun appareil à ajouter à ce partage.", + "There are no file versions to restore.": "Aucune version de fichier à restaurer.", "There are no folders to share with this device.": "Il n'y a aucun partage disponible.", "They are retried automatically and will be synced when the error is resolved.": "Ils seront automatiquement retentés et synchronisés quand l'erreur sera résolue.", "This Device": "Cet appareil", + "This Month": "Ce mois-ci", "This can easily give hackers access to read and change any files on your computer.": "Ceci peut aisément permettre à un intrus de lire et modifier n'importe quel fichier de votre ordinateur.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Cet appareil ne peut ni découvrir automatiquement les autres, ni annoncer sa propre présence pour être découvert pas les autres. Seuls les appareils configurés avec des connexions statiques peuvent se connecter.", "This is a major version upgrade.": "Il s'agit d'une mise à jour majeure.", "This setting controls the free space required on the home (i.e., index database) disk.": "Ce réglage contrôle l'espace disque requis dans le disque qui abrite votre répertoire utilisateur (pour la base de données d'indexation).", "Time": "Heure", "Time the item was last modified": "Dernière modification de l'élément", + "Today": "Aujourd'hui", "Trash Can File Versioning": "Style poubelle", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "Permissions UNIX", "Unavailable": "Indisponible", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Lorsque vous ajoutez un appareil, gardez à l'esprit que le votre doit aussi être ajouté de l'autre coté.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Lorsqu'un nouveau partage est ajouté, gardez à l'esprit que son ID est utilisée pour lier les répertoires à travers les appareils. L'ID est sensible à la casse et sera forcément la même sur tous les appareils participant à ce partage.", "Yes": "Oui", + "Yesterday": "Hier", "You can also select one of these nearby devices:": "Vous pouvez également sélectionner l'un de ces appareils proches :", "You can change your choice at any time in the Settings dialog.": "Vous pouvez changer votre choix dans la boîte de dialogue \"Configuration\".", "You can read more about the two release channels at the link below.": "Vous pouvez en savoir plus sur les deux canaux de distribution via le lien ci-dessous.", @@ -433,9 +449,13 @@ "days": "Jours", "directories": "répertoires", "files": "Fichiers", - "full documentation": "Documentation complète ici", + "full documentation": "Documentation complète ici (en anglais)", "items": "élément(s)", "seconds": "secondes", + "theme-name-black": "Noir", + "theme-name-dark": "Sombre", + "theme-name-default": "Par défaut (système)", + "theme-name-light": "Clair", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} vous invite au partage \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} vous invite au partage \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} pourrait ré-enrôler cet appareil." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-fy.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-fy.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-fy.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-fy.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Map taheakje", "Add Remote Device": "Apparaat op Ofstân Taheakje", "Add devices from the introducer to our device list, for mutually shared folders.": "Heakje apparaten fan de yntrodusearders ta oan ús apparatenlyst, foar mei-inoar dielde mappen.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Nije map taheakje?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Boppedat wurd it ynterfal foar in folledige wer-sken omheech brocht (kear 60 minuten, dit is in nije standert fan 1 oere). Jo kinne dit ek letter foar elke map hânmjittich ynstelle nei it kiezen fan Nee.", "Address": "Adres", @@ -18,13 +19,16 @@ "Advanced": "Avansearre", "Advanced Configuration": "Avansearre konfiguraasje", "All Data": "Alle data", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Alle mappen dy't mei dit apparaat dielt binne, moatte wurde beskerme mei in wachtwurd, sadat alle ferstjoerde data net lêsber is sûnder it opjûne wachtwurd .", "Allow Anonymous Usage Reporting?": "Anonime brûkensrapportaazje tastean?", "Allowed Networks": "Tasteane Netwurken", "Alphabetic": "Alfabetysk", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "In ekstern kommando soarget foar it ferzjebehear. It moat de triem út de dielde map fuortsmite. As it paad nei de applikaasje romtes hat, moat it tusken oanheltekens sette wurden.", "Anonymous Usage Reporting": "Anonym brûkensrapportaazje", "Anonymous usage report format has changed. Would you like to move to the new format?": "It formaat fan de rapportaazje fan anonime gebrûksynformaasje is feroare. Wolle jo op dit nije formaat oerstappe?", + "Apply": "Apply", "Are you sure you want to continue?": "Binne jo der wis fan dat jo trochgean wolle?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Binne jo der wis fan dat jo al dizze bestannen permanint wiskje wolle?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 de folgende Bydragers:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Meitsje negear-patroanen dy in besteande triem oerskriuwe yn {{path}}.", "Currently Shared With Devices": "Op dit stuit Dielt mei Apparaten", + "Custom Range": "Custom Range", "Danger!": "Gefaar!", "Debugging Facilities": "Debug-foarsjennings", "Default Configuration": "Standertkonfiguraasje", @@ -126,6 +131,7 @@ "Error": "Flater", "External File Versioning": "Ekstern ferzjebehear foar triemen", "Failed Items": "Mislearre items", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Ynskeakeljen mislearre, wurd no opnij besocht", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Mislearjen fan it ferbinen mei IPv6-tsjinners wurd ferwachte as der gjin stipe foar IPv6-ferbinings is.", @@ -168,6 +174,7 @@ "Ignore": "Negearje", "Ignore Patterns": "Negear-patroanen", "Ignore Permissions": "Negear-rjochten", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Negearde Apparaten", "Ignored Folders": "Negearde Mappen", "Ignored at": "Negeard op ", @@ -179,6 +186,9 @@ "Keep Versions": "Ferzjes bewarje", "LDAP": "LDAP", "Largest First": "Grutste earst", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Lêst Skent", "Last seen": "Lêst sjoen", "Latest Change": "Meast Resinte Feroarings", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Sykje de mappen út om mei dit apparaat te dielen.", "Send & Receive": "Stjoere & Untfange", "Send Only": "Allinnich Stjoere", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Ynstellings", "Share": "Diele", "Share Folder": "Map diele", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "It fluggenslimyt moat in posityf nûmer wêze (0: gjin limyt)", "The rescan interval must be a non-negative number of seconds.": "It wersken-ynterfal moat in posityf tal fan sekonden wêze.", "There are no devices to share this folder with.": "Der binne gjin apparaten om dizze map mei te dielen.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "D'r binne gjin mappen te dielen mei dit apparaat.", "They are retried automatically and will be synced when the error is resolved.": "Sy wurde automatysk opnij probearre en sille syngronisearre wurde wannear at de flater oplost is.", "This Device": "Dit Apparaat", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Dit kin samar ynkringers (hackers) tagong jaan om elke triem op jo kompjûter te besjen en te feroarjen.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Dit is in wichtige ferzjefernijing.", "This setting controls the free space required on the home (i.e., index database) disk.": "Dizze ynstelling bepaalt de frije romte dy't noadich is op de home-skiif (fan de yndeks-databank).", "Time": "Tiid", "Time the item was last modified": "Tiidstip dat it ûnderdiel foar it lest oanpast waard.", + "Today": "Today", "Trash Can File Versioning": "Jiskefet-triemferzjebehear", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX-Rjochten", "Unavailable": "Net beskikber", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Hâld by it taheakjen fan in nij apparaat yn de holle dat it apparaat oan de oare kant ek taheakke wurde moat. ", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Hâld by it taheakjen fan in nije map yn de holle dat de map-ID brûkt wurd om de mappen tusken apparaten mei-inoar te ferbinen. Se binne haadlettergefoelich en moatte oer alle apparaten eksakt oerienkomme.", "Yes": "Ja", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Jo kinne ek ien fan dizze tichtbye apparaten selektearje:", "You can change your choice at any time in the Settings dialog.": "Jo kinne jo kar op elk stuit oanpasse yn it Ynstellingsdialooch.", "You can read more about the two release channels at the link below.": "Jo kinne mear lêze oer de twa útjeftekanalen fia de ûndersteande link.", @@ -436,6 +452,10 @@ "full documentation": "komplete dokumintaasje", "items": "items", "seconds": "sekonden", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} wol map \"{{folder}}\" diele.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} wol map \"{{folderlabel}}\" ({{folder}}) diele.", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} kin dit apparaat opnij yntrodusearje." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-hu.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-hu.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-hu.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-hu.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Mappa hozzáadása", "Add Remote Device": "Távoli eszköz hozzáadása", "Add devices from the introducer to our device list, for mutually shared folders.": "Eszközök hozzáadása a bevezetőről az eszköz listához, a közösen megosztott mappákhoz.", + "Add ignore patterns": "Mellőzési minták hozzáadása", "Add new folder?": "Hozzáadható az új mappa?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Ezzel együtt a teljes átnézési intervallum jóval meg fog nőni (60-szoros értékre, vagyis 1 óra az új alapértelmezett érték). A „Nem” kiválasztásával később kézzel is módosítható ez az érték minden egyes mappára külön-külön.", "Address": "Cím", @@ -18,13 +19,16 @@ "Advanced": "Haladó", "Advanced Configuration": "Haladó beállítások", "All Data": "Minden adat", + "All Time": "Szüntelen", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Minden, ezzel az eszközzel megosztott mappát jelszóval kell védeni, így az összes elküldött adat olvashatatlan a megadott jelszó nélkül.", "Allow Anonymous Usage Reporting?": "A névtelen felhasználási adatok elküldhetők?", "Allowed Networks": "Engedélyezett hálózatok", "Alphabetic": "ABC sorrendben", + "Altered by ignoring deletes.": "Módosítva a törlések figyelmen kívül hagyásával.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Külső program kezeli a fájlverzió-követést. Az távolítja el a fájlt a megosztott mappából. Ha az alkalmazás útvonala szóközöket tartalmaz, zárójelezni szükséges az útvonalat.", "Anonymous Usage Reporting": "Névtelen felhasználási adatok küldése", "Anonymous usage report format has changed. Would you like to move to the new format?": "A névtelen használati jelentés formátuma megváltozott. Szeretnél áttérni az új formátumra?", + "Apply": "Alkalmazás", "Are you sure you want to continue?": "Biztosan folytatható?", "Are you sure you want to override all remote changes?": "Biztos, hogy felülírható minden távoli módosítás?", "Are you sure you want to permanently delete all these files?": "Biztos, hogy véglegesen törölhetőek mindezek a fájlok?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Szerzői jog © 2014-2019 az alábbi közreműködők:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Mellőzési minták létrehozása, egy létező fájl felülírása itt: {{path}}.", "Currently Shared With Devices": "Eszközök, melyekkel jelenleg meg van osztva", + "Custom Range": "Egyedi intervallum", "Danger!": "Veszély!", "Debugging Facilities": "Hibakeresési képességek", "Default Configuration": "Alapértelmezett beállítások", @@ -126,6 +131,7 @@ "Error": "Hiba", "External File Versioning": "Külső fájlverzió-követés", "Failed Items": "Hibás elemek", + "Failed to load file versions.": "Nem sikerült betölteni a fájlverziókat.", "Failed to load ignore patterns.": "Nem sikerült betölteni a mellőzési mintákat.", "Failed to setup, retrying": "Telepítés nem sikerült, újrapróbálkozás", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Mivel nincs IPv6 kapcsolat, ezért várhatóan nem fog sikerülni IPv6-os szerverekhez csatlakozni.", @@ -168,6 +174,7 @@ "Ignore": "Mellőzés", "Ignore Patterns": "Mellőzési minták", "Ignore Permissions": "Jogosultságok mellőzése", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Mellőzési minták csak a mappa létrehozása után adhatók hozzá. Bejelölve egy beviteli mező fog megjelenni mentés után a mellőzési minták számára.", "Ignored Devices": "Mellőzött eszközök", "Ignored Folders": "Mellőzött mappák", "Ignored at": "Mellőzve:", @@ -179,6 +186,9 @@ "Keep Versions": "Megtartott verziók", "LDAP": "LDAP", "Largest First": "Nagyobb először", + "Last 30 Days": "Utolsó 30 nap", + "Last 7 Days": "Utolsó 7 nap", + "Last Month": "Előző hónap", "Last Scan": "Utolsó vizsgálat", "Last seen": "Utoljára látva", "Latest Change": "Utolsó módosítás", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Mappák, amelyek megosztandók ezzel az eszközzel.", "Send & Receive": "Küldés és fogadás", "Send Only": "Csak küldés", + "Set Ignores on Added Folder": "Mellőzések beállítása a hozzáadott mappán", "Settings": "Beállítások", "Share": "Megosztás", "Share Folder": "Mappa megosztása", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "A sebességlimitnek pozitív számnak kell lennie (0: nincs limit)", "The rescan interval must be a non-negative number of seconds.": "Az átnézési intervallum nullánál nagyobb másodperc érték kell legyen.", "There are no devices to share this folder with.": "Nincsenek eszközök, amelyekkel megosztható lenne a mappa.", + "There are no file versions to restore.": "Nincsenek visszaállítható fájlverziók.", "There are no folders to share with this device.": "Nincsenek mappák, amelyek megoszthatók ezzel az eszközzel.", "They are retried automatically and will be synced when the error is resolved.": "A hiba javítása után automatikusan újra megpróbálja a szinkronizálást.", "This Device": "Ez az eszköz", + "This Month": "Jelen hónap", "This can easily give hackers access to read and change any files on your computer.": "Így a hekkerek könnyedén hozzáférést szerezhetnek a gépen tárolt fájlok olvasásához és módosításához.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Ez az eszköz nem képes automatikusan felderíteni más eszközöket, illetve nem tudja bejelenteni a saját címét, hogy mások megtalálják. Csak statikusan konfigurált címekkel rendelkező eszközök tudnak csatlakozni.", "This is a major version upgrade.": "Ez egy főverzió-frissítés.", "This setting controls the free space required on the home (i.e., index database) disk.": "Ez e beállítás szabályozza a szükséges szabad helyet a fő (pl: index, adatbázis) lemezen.", "Time": "Idő", "Time the item was last modified": "Az idő, amikor utoljára módosítva lett az elem", + "Today": "Ma", "Trash Can File Versioning": "Szemetes fájlverzió-követés", + "Twitter": "Twitter", "Type": "Típus", "UNIX Permissions": "UNIX jogosultságok", "Unavailable": "Nem elérhető", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Új eszköz hozzáadásakor nem szabad elfeledkezni arról, hogy a másik oldalon ezt az eszközt is hozzá kell adni.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Új eszköz hozzáadásakor észben kell tartani, hogy a mappaazonosító arra való, hogy összekösse a mappákat az eszközökön. Az azonosító kisbetű-nagybetű érzékeny és pontosan egyeznie kell az eszközökön.", "Yes": "Igen", + "Yesterday": "Tegnap", "You can also select one of these nearby devices:": "Az alábbi közelben lévő eszközök közül lehet választani:", "You can change your choice at any time in the Settings dialog.": "A beállításoknál bármikor módosíthatod a választásodat.", "You can read more about the two release channels at the link below.": "A két kiadási csatornáról az alábbi linken olvashatsz további információkat.", @@ -436,6 +452,10 @@ "full documentation": "teljes dokumentáció", "items": "elem", "seconds": "másodperc", + "theme-name-black": "Fekete", + "theme-name-dark": "Sötét", + "theme-name-default": "Alapértelmezett", + "theme-name-light": "Világos", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} szeretné megosztani a mappát: „{{folder}}”.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} szeretné megosztani a mappát: „{{folderlabel}}” ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} újra bevezetheti ezt az eszközt." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-id.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-id.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-id.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-id.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,20 +11,24 @@ "Add Folder": "Tambah Folder", "Add Remote Device": "Tambah Perangkat Jarak Jauh", "Add devices from the introducer to our device list, for mutually shared folders.": "Tambahkan perangkat dari pengenal ke daftar perangkat kita, untuk folder yang saling terbagi.", + "Add ignore patterns": "Tambahkan pola pengabaian", "Add new folder?": "Tambah folder baru?", - "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Selain itu, interval pindai ulang secara penuh akan ditambah (kali 60, yaitu bawaan baru selama 1 jam). Anda juga bisa mengkonfigurasi secara manual untuk setiap folder setelah memilih Tidak.", + "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Selain itu, interval pindai ulang secara penuh akan ditambah (kali 60, yaitu bawaan baru selama 1 jam). Anda juga dapat mengkonfigurasi secara manual untuk setiap folder setelah memilih Tidak.", "Address": "Alamat", "Addresses": "Alamat", "Advanced": "Tingkat Lanjut", "Advanced Configuration": "Konfigurasi Tingkat Lanjut", "All Data": "Semua Data", + "All Time": "Semua Waktu", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Semua folder yang dibagi dengan perangkat ini harus dilindungi dengan sandi, sehingga semua data tidak dapat dilihat tanpa sandi.", - "Allow Anonymous Usage Reporting?": "Aktifkan Laporan Penggunaan Anonim?", + "Allow Anonymous Usage Reporting?": "Izinkan Laporan Penggunaan Anonim?", "Allowed Networks": "Jaringan Terizinkan", "Alphabetic": "Alfabet", + "Altered by ignoring deletes.": "Diubah dengan mengabaikan penghapusan.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Perintah eksternal menangani pemversian. Ia harus menghapus berkas dari folder yang dibagi. Jika lokasi aplikasi terdapat spasi, itu harus dikutip.", "Anonymous Usage Reporting": "Pelaporan Penggunaan Anonim", "Anonymous usage report format has changed. Would you like to move to the new format?": "Format pelaporan penggunaan anonim telah berubah. Maukah anda pindah menggunakan format yang baru?", + "Apply": "Apply", "Are you sure you want to continue?": "Apakah anda yakin ingin lanjut?", "Are you sure you want to override all remote changes?": "Apakah anda yakin ingin menimpa semua perubahan jarak jauh?", "Are you sure you want to permanently delete all these files?": "Apakah anda yakin ingin menghapus semua berkas berikut secara permanen?", @@ -43,7 +47,7 @@ "Be careful!": "Harap hati-hati!", "Bugs": "Bugs", "Cancel": "Batal", - "Changelog": "Log perubahan", + "Changelog": "Log Perubahan", "Clean out after": "Bersihkan setelah", "Cleaning Versions": "Versi Pembersihan", "Cleanup Interval": "Interval Pembersihan", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Hak cipta © 2014-2019 Kontributor berikut ini:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Membuat pola pengabaian, menimpa sebuah file yang sudah ada di {{path}}.", "Currently Shared With Devices": "Sekarang Terbagi Dengan Perangkat", + "Custom Range": "Rentang Kustom", "Danger!": "Bahaya!", "Debugging Facilities": "Fasilitas Debug", "Default Configuration": "Konfigurasi Bawaan", @@ -100,7 +105,7 @@ "Discovery Failures": "Kegagalan Penemuan", "Discovery Status": "Status Penemuan", "Dismiss": "Tolak", - "Do not add it to the ignore list, so this notification may recur.": "Jangan tambahkan ke daftar pengabaian, maka notifkasi ini mungkin muncul kembali.", + "Do not add it to the ignore list, so this notification may recur.": "Jangan tambahkan ke daftar pengabaian, maka notifikasi ini mungkin muncul kembali.", "Do not restore": "Jangan pulihkan", "Do not restore all": "Jangan pulihkan semua", "Do you want to enable watching for changes for all your folders?": "Apakah anda ingin mengaktifkan fitur melihat perubahan untuk semua folder anda?", @@ -115,7 +120,7 @@ "Edit Folder Defaults": "Sunting Bawaan Folder", "Editing {%path%}.": "Menyunting {{path}}.", "Enable Crash Reporting": "Akitfkan Pelaporan Crash", - "Enable NAT traversal": "Aktifkan traversal NAT", + "Enable NAT traversal": "Aktifkan Traversal NAT", "Enable Relaying": "Aktifkan Relay", "Enabled": "Aktif", "Enter a non-negative number (e.g., \"2.35\") and select a unit. Percentages are as part of the total disk size.": "Masukkan nomor yang bukan negatif (contoh \"2.35\") dan pilih sebuah unit. Persentase adalah bagian dari total ukuran penyimpanan.", @@ -125,7 +130,8 @@ "Enter up to three octal digits.": "Masukkan hingga tiga digit oktal.", "Error": "Galat", "External File Versioning": "Pemversian Berkas Eksternal", - "Failed Items": "Materi yang gagal", + "Failed Items": "Berkas yang gagal", + "Failed to load file versions.": "Gagal memuat versi berkas.", "Failed to load ignore patterns.": "Gagal memuat pola pengabaian.", "Failed to setup, retrying": "Gagal menyiapkan, mengulang", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Gagal untuk menyambung ke server IPv6 itu disangka apabila tidak ada konektivitas IPv6.", @@ -152,7 +158,7 @@ "GUI Authentication Password": "Sandi Otentikasi GUI", "GUI Authentication User": "Pengguna Otentikasi GUI", "GUI Authentication: Set User and Password": "Otentikasi GUI: Atur Pengguna dan Sandi", - "GUI Listen Address": "Alamat Mendengar GUI", + "GUI Listen Address": "Alamat Pendengaran GUI", "GUI Theme": "Tema GUI", "General": "Umum", "Generate": "Generasi", @@ -168,17 +174,21 @@ "Ignore": "Abaikan", "Ignore Patterns": "Pola Pengabaian", "Ignore Permissions": "Abaikan Izin Berkas", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Pola pengabaian hanya dapat ditambahkan setelah folder dibuat. Jika dicek, sebuah bidang input untuk memasukkan pola pengabaian akan ditunjukkan setelah disimpan.", "Ignored Devices": "Perangkat yang Diabaikan", "Ignored Folders": "Folder yang Diabaikan", "Ignored at": "Diabaikan di", "Incoming Rate Limit (KiB/s)": "Batas Kecepatan Unduh (KiB/s)", - "Incorrect configuration may damage your folder contents and render Syncthing inoperable.": "Konfigurasi salah bisa merusak isi folder dan membuat Syncthing tidak bisa dijalankan.", + "Incorrect configuration may damage your folder contents and render Syncthing inoperable.": "Konfigurasi salah dapat merusak isi folder dan membuat Syncthing tidak dapat dijalankan.", "Introduced By": "Dikenalkan Oleh", "Introducer": "Pengenal", "Inversion of the given condition (i.e. do not exclude)": "Inversi dari kondisi yang diberikan (yakni jangan dikecualikan)", "Keep Versions": "Jumlah Versi yang Disimpan", "LDAP": "LDAP", "Largest First": "Terbesar Dahulu", + "Last 30 Days": "30 Hari Terakhir", + "Last 7 Days": "7 Hari Terakhir", + "Last Month": "Bulan Lalu", "Last Scan": "Scan Terakhir", "Last seen": "Terakhir dilihat", "Latest Change": "Perubahan Terbaru", @@ -204,9 +214,9 @@ "Minimum Free Disk Space": "Ruang Penyimpanan Kosong Minimum", "Mod. Device": "Perangkat Pengubah", "Mod. Time": "Waktu Diubah", - "Move to top of queue": "Move to top of queue", + "Move to top of queue": "Pindah ke daftar tunggu teratas", "Multi level wildcard (matches multiple directory levels)": "Wildcard multi tingkat (cocok dalam tingkat direktori apapun)", - "Never": "Never", + "Never": "Tidak Pernah", "New Device": "Perangkat Baru", "New Folder": "Folder Baru", "Newest First": "Terbaru Dahulu", @@ -232,8 +242,8 @@ "Path where versions should be stored (leave empty for the default .stversions directory in the shared folder).": "Lokasi berbagai versi berkas disimpan (tinggalkan kosong untuk menggunakan direktori .stversions bawaan dalam folder).", "Pause": "Jeda", "Pause All": "Jeda Semua", - "Paused": "Telah Berjeda", - "Paused (Unused)": "Telah Berjeda (Tidak Digunakan)", + "Paused": "Terjeda", + "Paused (Unused)": "Terjeda (Tidak Digunakan)", "Pending changes": "Perubahan yang tertunda", "Periodic scanning at given interval and disabled watching for changes": "Pemindaian periodik pada interval tertentu dan fitur melihat perubahan dinonaktifkan", "Periodic scanning at given interval and enabled watching for changes": "Pemindaian periodik pada interval tertentu dan fitur melihat perubahan diaktifkan", @@ -289,13 +299,14 @@ "Select the folders to share with this device.": "Pilih folder yang akan dibagi dengan perangkat ini.", "Send & Receive": "Kirim & Terima", "Send Only": "Hanya Kirim", + "Set Ignores on Added Folder": "Atur Pengabaian dalam Folder yang Ditambahkan", "Settings": "Pengaturan", "Share": "Bagi", "Share Folder": "Bagi Folder", "Share Folders With Device": "Bagi Folder Dengan Perangkat", "Share this folder?": "Bagi Folder Ini?", "Shared Folders": "Folder Yang Dibagi", - "Shared With": "Dibagi dengan", + "Shared With": "Dibagi Dengan", "Sharing": "Pembagian", "Show ID": "Tampilkan ID", "Show QR": "Tampilkan QR", @@ -366,23 +377,27 @@ "The number of old versions to keep, per file.": "Jumlah versi lama untuk disimpan, setiap berkas.", "The number of versions must be a number and cannot be blank.": "Jumlah versi harus berupa angka dan tidak dapat kosong.", "The path cannot be blank.": "Lokasi tidak dapat kosong.", - "The rate limit must be a non-negative number (0: no limit)": "Pembatasan kecepatan harus berupa angka positif (0: tidak ada batas)", + "The rate limit must be a non-negative number (0: no limit)": "Pembatasan kecepatan harus berupa angka positif (0: tidak terbatas)", "The rescan interval must be a non-negative number of seconds.": "Interval pemindaian ulang harus berupa angka positif.", "There are no devices to share this folder with.": "Tidak ada perangkat untuk membagikan folder ini.", + "There are no file versions to restore.": "Tidak ada versi berkas untuk dipulihkan.", "There are no folders to share with this device.": "Tidak ada folder untuk dibagi dengan perangkat ini.", "They are retried automatically and will be synced when the error is resolved.": "Mereka diulang secara otomatis dan akan disinkron ketika galat telah terselesaikan.", "This Device": "Perangkat Ini", + "This Month": "Bulan Ini", "This can easily give hackers access to read and change any files on your computer.": "Ini dapat dengan mudah memberi peretas akses untuk melihat dan mengubah file apapun dalam komputer anda.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Perangkat ini tidak dapat menemukan perangkat lain secara otomatis atau mengumumkan alamat sendiri untuk dapat ditemukan oleh perangkat lain. Hanya perangkat dengan konfigurasi alamat statik dapat menyambung.", "This is a major version upgrade.": "Ini adalah peningkatan versi besar.", "This setting controls the free space required on the home (i.e., index database) disk.": "Pengaturan ini mengontrol jumlah penyimpanan kosong yang dibutuhkan dalam penyimpanan utama (contoh database indeks).", "Time": "Waktu", "Time the item was last modified": "Waktu file terakhir dimodifikasi", + "Today": "Hari Ini", "Trash Can File Versioning": "Pemversian Berkas Tempat Sampah", + "Twitter": "Twitter", "Type": "Tipe", "UNIX Permissions": "Izin UNIX", "Unavailable": "Tidak Tersedia", - "Unavailable/Disabled by administrator or maintainer": "Tidak Tersedia/Dinonaktifkan oleh administrator atau pengelola", + "Unavailable/Disabled by administrator or maintainer": "Tidak tersedia/Dinonaktifkan oleh administrator atau pengelola", "Undecided (will prompt)": "Belum terpilih (akan mengingatkan)", "Unexpected Items": "Berkas Tidak Terduga", "Unexpected items have been found in this folder.": "Berkas tidak terduga telah ditemukan dalam folder ini.", @@ -419,9 +434,10 @@ "Watch for Changes": "Pantau Perubahan", "Watching for Changes": "Memantau Perubahan", "Watching for changes discovers most changes without periodic scanning.": "Memantau perubahan menemukan kebanyakan perubahan tanpa pemindaian periodik.", - "When adding a new device, keep in mind that this device must be added on the other side too.": "When adding a new device, keep in mind that this device must be added on the other side too.", - "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.", + "When adding a new device, keep in mind that this device must be added on the other side too.": "Ketika menambah perangkat baru, perlu diingat bahwa perangkat ini juga harus ditambahkan pada sisi lain juga.", + "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Ketika menambah sebuah folder baru, perlu diingat bahwa ID Folder digunakan untuk mengikat folder antar perangkat. Mereka peka terhadap kapitalisasi huruf dan harus sama pada semua perangkat.", "Yes": "Iya", + "Yesterday": "Kemarin", "You can also select one of these nearby devices:": "Anda juga dapat memilih salah satu perangkat disekitar berikut:", "You can change your choice at any time in the Settings dialog.": "Anda dapat mengubah pilihan anda dalam dialog Pengaturan.", "You can read more about the two release channels at the link below.": "Anda dapat membaca lebih lanjut tentang dua saluran rilis pada tautan di bawah.", @@ -436,6 +452,10 @@ "full documentation": "dokumentasi penuh", "items": "berkas", "seconds": "detik", + "theme-name-black": "Hitam", + "theme-name-dark": "Gelap", + "theme-name-default": "Bawaan", + "theme-name-light": "Terang", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} ingin berbagi folder \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} ingin berbagi folder \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} mungkin memperkenalkan ulang perangkat ini." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-it.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-it.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-it.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-it.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Aggiungi Cartella", "Add Remote Device": "Aggiungi Dispositivo Remoto", "Add devices from the introducer to our device list, for mutually shared folders.": "Aggiungi dispositivi dall'introduttore all'elenco dei dispositivi, per cartelle condivise reciprocamente.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Aggiungere una nuova cartella?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Inoltre, verrà incrementato l'intervallo di scansione completo (60 volte, vale a dire un nuovo default di 1h). Puoi anche configurarlo manualmente per ogni cartella dopo aver scelto No.", "Address": "Indirizzo", @@ -18,13 +19,16 @@ "Advanced": "Avanzato", "Advanced Configuration": "Configurazione Avanzata", "All Data": "Tutti i Dati", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Tutte le cartelle condivise con questo dispositivo devono essere protette da una password, in modo tale che tutti i dati inviati siano illeggibili senza la password fornita.", "Allow Anonymous Usage Reporting?": "Abilitare Statistiche Anonime di Utilizzo?", "Allowed Networks": "Reti Consentite.", "Alphabetic": "Alfabetico", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Il controllo versione è gestito da un comando esterno. Quest'ultimo deve rimuovere il file dalla cartella condivisa. Se il percorso dell'applicazione contiene spazi, deve essere indicato tra virgolette.", "Anonymous Usage Reporting": "Statistiche Anonime di Utilizzo", "Anonymous usage report format has changed. Would you like to move to the new format?": "Il formato delle statistiche anonime di utilizzo è cambiato. Vuoi passare al nuovo formato?", + "Apply": "Apply", "Are you sure you want to continue?": "Sei sicuro di voler continuare?", "Are you sure you want to override all remote changes?": "Sei sicuro di voler sovrascrivere tutte le modifiche remote?", "Are you sure you want to permanently delete all these files?": "Sei sicuro di voler eliminare definitivamente tutti questi file?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 i seguenti Collaboratori:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Creazione di schemi di esclusione, sovrascrivendo un file esistente in {{path}}.", "Currently Shared With Devices": "Attualmente Condiviso Con Dispositivi", + "Custom Range": "Custom Range", "Danger!": "Pericolo!", "Debugging Facilities": "Servizi di Debug", "Default Configuration": "Configurazione predefinita", @@ -126,6 +131,7 @@ "Error": "Errore", "External File Versioning": "Controllo Versione Esterno", "Failed Items": "Elementi Errati", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Impossibile caricare gli schemi di esclusione.", "Failed to setup, retrying": "Configurazione fallita, riprovo", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "La connessione a server IPv6 fallisce se non c'è connettività IPv6.", @@ -168,6 +174,7 @@ "Ignore": "Ignora", "Ignore Patterns": "Schemi Esclusione File", "Ignore Permissions": "Ignora Permessi", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Dispositivi ignorati", "Ignored Folders": "Cartelle ignorate", "Ignored at": "Ignorato a", @@ -179,6 +186,9 @@ "Keep Versions": "Versioni Mantenute", "LDAP": "LDAP", "Largest First": "Prima il più grande", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Ultima Scansione", "Last seen": "Ultima connessione", "Latest Change": "Ultima Modifica", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Seleziona le cartelle da condividere con questo dispositivo.", "Send & Receive": "Invia & Ricevi", "Send Only": "Invia Soltanto", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Impostazioni", "Share": "Condividi", "Share Folder": "Condividi la Cartella", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Il limite di banda deve essere un numero non negativo (0: nessun limite)", "The rescan interval must be a non-negative number of seconds.": "L'intervallo di scansione deve essere un numero non negativo secondi.", "There are no devices to share this folder with.": "Non ci sono dispositivi con cui condividere questa cartella.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "Non ci sono cartelle da condividere con questo dispositivo.", "They are retried automatically and will be synced when the error is resolved.": "Verranno effettuati tentativi in automatico e verranno sincronizzati quando l'errore sarà risolto.", "This Device": "Questo Dispositivo", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Ciò potrebbe facilmente permettere agli hackers accesso alla lettura e modifica di qualunque file del tuo computer.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Questo dispositivo non può rilevare automaticamente altri dispositivi o annunciare il proprio indirizzo per essere trovato da altri. Possono connettersi solo i dispositivi con indirizzi configurati staticamente.", "This is a major version upgrade.": "Questo è un aggiornamento di versione principale", "This setting controls the free space required on the home (i.e., index database) disk.": "Questa impostazione controlla lo spazio libero richiesto sul disco home (cioè, database di indice).", "Time": "Tempo", "Time the item was last modified": "Ora dell'ultima modifica degli elementi", + "Today": "Today", "Trash Can File Versioning": "Controllo Versione con Cestino", + "Twitter": "Twitter", "Type": "Tipo", "UNIX Permissions": "Permessi UNIX", "Unavailable": "Non disponibile", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Quando si aggiunge un nuovo dispositivo, tenere presente che il dispositivo deve essere aggiunto anche dall'altra parte.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Quando aggiungi una nuova cartella, ricordati che gli ID vengono utilizzati per collegare le cartelle nei dispositivi. Distinguono maiuscole e minuscole e devono corrispondere esattamente su tutti i dispositivi.", "Yes": "Sì", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "È anche possibile selezionare uno di questi dispositivi nelle vicinanze:", "You can change your choice at any time in the Settings dialog.": "Puoi sempre cambiare la tua scelta nel dialogo Impostazioni.", "You can read more about the two release channels at the link below.": "Puoi ottenere piu informazioni riguarda i due canali di rilascio nel collegamento sottostante.", @@ -436,6 +452,10 @@ "full documentation": "documentazione completa", "items": "elementi", "seconds": "secondi", + "theme-name-black": "Nero", + "theme-name-dark": "Scuro", + "theme-name-default": "Default", + "theme-name-light": "Chiaro", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} vuole condividere la cartella \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} vuole condividere la cartella \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} potrebbe reintrodurre questo dispositivo." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ja.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ja.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ja.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ja.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "フォルダーを追加", "Add Remote Device": "接続先デバイスを追加", "Add devices from the introducer to our device list, for mutually shared folders.": "紹介者デバイスから紹介されたデバイスは、相互に共有しているフォルダーがある場合、このデバイス上にも追加されます。", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "新しいフォルダーとして追加しますか?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.", "Address": "アドレス", @@ -18,31 +19,34 @@ "Advanced": "高度な設定", "Advanced Configuration": "高度な設定", "All Data": "全てのデータ", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "このデバイスと共有するすべてのフォルダーはパスワードによって保護されなければならず、送信されたすべてのデータは指定したパスワードがなければ読み取れません。", "Allow Anonymous Usage Reporting?": "匿名で使用状況をレポートすることを許可しますか?", "Allowed Networks": "許可されているネットワーク", "Alphabetic": "アルファベット順", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.", "Anonymous Usage Reporting": "匿名での使用状況レポート", "Anonymous usage report format has changed. Would you like to move to the new format?": "匿名での使用状況レポートのフォーマットが変わりました。新形式でのレポートに移行しますか?", + "Apply": "Apply", "Are you sure you want to continue?": "続行してもよろしいですか?", - "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", + "Are you sure you want to override all remote changes?": "リモートでの変更をすべて上書きしてもよろしいですか?", "Are you sure you want to permanently delete all these files?": "これらのファイルをすべて完全に削除してもよろしいですか?", "Are you sure you want to remove device {%name%}?": "デバイス {{name}} を削除してよろしいですか?", "Are you sure you want to remove folder {%label%}?": "フォルダー {{label}} を削除してよろしいですか?", "Are you sure you want to restore {%count%} files?": "{{count}} ファイルを復元してもよろしいですか?", - "Are you sure you want to revert all local changes?": "Are you sure you want to revert all local changes?", + "Are you sure you want to revert all local changes?": "ローカルでの変更をすべて取り消してもよろしいですか?", "Are you sure you want to upgrade?": "アップグレードしてよろしいですか?", "Auto Accept": "自動承諾", "Automatic Crash Reporting": "自動クラッシュレポート", "Automatic upgrade now offers the choice between stable releases and release candidates.": "自動アップグレードは、安定版とリリース候補版のいずれかを選べるようになりました。", "Automatic upgrades": "自動アップグレード", - "Automatic upgrades are always enabled for candidate releases.": "Automatic upgrades are always enabled for candidate releases.", + "Automatic upgrades are always enabled for candidate releases.": "リリース候補版ではアップデートは常に自動で行われます。", "Automatically create or share folders that this device advertises at the default path.": "このデバイスが通知するデフォルトのパスで自動的にフォルダを作成、共有します。", "Available debug logging facilities:": "Available debug logging facilities:", "Be careful!": "注意!", "Bugs": "バグ", - "Cancel": "Cancel", + "Cancel": "キャンセル", "Changelog": "更新履歴", "Clean out after": "以下の期間後に完全に削除する", "Cleaning Versions": "Cleaning Versions", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 the following Contributors:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "無視パターンを作成中。既存のファイルが {{path}} にある場合は上書きされます。", "Currently Shared With Devices": "現在共有中のデバイス", + "Custom Range": "Custom Range", "Danger!": "危険!", "Debugging Facilities": "デバッグ機能", "Default Configuration": "デフォルトの設定", @@ -84,7 +89,7 @@ "Device Name": "デバイス名", "Device is untrusted, enter encryption password": "Device is untrusted, enter encryption password", "Device rate limits": "デバイス速度制限", - "Device that last modified the item": "Device that last modified the item", + "Device that last modified the item": "項目を最後に変更したデバイス", "Devices": "デバイス", "Disable Crash Reporting": "クラッシュレポートを無効にする", "Disabled": "無効", @@ -126,6 +131,7 @@ "Error": "エラー", "External File Versioning": "外部バージョン管理", "Failed Items": "失敗した項目", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Failed to setup, retrying", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "お使いのネットワークがIPv6を利用していない場合、IPv6のサーバーへの接続に失敗しても異常ではありません。", @@ -146,7 +152,7 @@ "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Folder type \"{{receiveEncrypted}}\" can only be set when adding a new folder.", "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "Folder type \"{{receiveEncrypted}}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.", "Folders": "フォルダー", - "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.", + "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "以下のフォルダへの変更の監視を始めるにあたってエラーが発生しました。1分ごとに再試行するため、すぐに回復するかもしれません。エラーが続くようであれば、原因に対処するか、必要に応じて助けを求めましょう。", "Full Rescan Interval (s)": "フルスキャンの間隔 (秒)", "GUI": "GUI", "GUI Authentication Password": "GUI認証パスワード", @@ -168,6 +174,7 @@ "Ignore": "無視", "Ignore Patterns": "無視するファイル名", "Ignore Permissions": "パーミッションを無視する", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "無視したデバイス", "Ignored Folders": "無視したフォルダー", "Ignored at": "無視指定日時", @@ -179,6 +186,9 @@ "Keep Versions": "保持するバージョン数", "LDAP": "LDAP", "Largest First": "大きい順", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "最終スキャン日時", "Last seen": "最終接続日時", "Latest Change": "最終変更内容", @@ -193,17 +203,17 @@ "Local Discovery": "LAN内で探索", "Local State": "ローカル状態", "Local State (Total)": "ローカル状態 (合計)", - "Locally Changed Items": "Locally Changed Items", + "Locally Changed Items": "ローカルで変更された項目", "Log": "ログ", - "Log tailing paused. Scroll to the bottom to continue.": "Log tailing paused. Scroll to the bottom to continue.", + "Log tailing paused. Scroll to the bottom to continue.": "ログのリアルタイム表示を停止しています。下部までスクロールすると再開されます。", "Logs": "ログ", "Major Upgrade": "メジャーアップグレード", "Mass actions": "Mass actions", "Maximum Age": "最大保存日数", "Metadata Only": "メタデータのみ", "Minimum Free Disk Space": "同期を停止する最小空きディスク容量", - "Mod. Device": "Mod. Device", - "Mod. Time": "Mod. Time", + "Mod. Device": "変更デバイス", + "Mod. Time": "変更日時", "Move to top of queue": "最優先にする", "Multi level wildcard (matches multiple directory levels)": "多階層ワイルドカード (複数のディレクトリ階層にマッチします)", "Never": "記録なし", @@ -245,7 +255,7 @@ "Please wait": "お待ちください", "Prefix indicating that the file can be deleted if preventing directory removal": "このファイルが中に残っているためにディレクトリを削除できない場合、このファイルごと消してもよいことを示す接頭辞", "Prefix indicating that the pattern should be matched without case sensitivity": "大文字・小文字を同一視してマッチさせる接頭辞", - "Preparing to Sync": "Preparing to Sync", + "Preparing to Sync": "同期の準備中", "Preview": "プレビュー", "Preview Usage Report": "使用状況レポートのプレビュー", "Quick guide to supported patterns": "サポートされているパターンのクイックガイド", @@ -275,7 +285,7 @@ "Resume All": "すべて再開", "Reused": "中断後再利用", "Revert": "Revert", - "Revert Local Changes": "Revert Local Changes", + "Revert Local Changes": "ローカルでの変更を取り消す", "Save": "保存", "Scan Time Remaining": "スキャン残り時間", "Scanning": "スキャン中", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "このデバイスと共有するフォルダーを選択してください。", "Send & Receive": "送受信", "Send Only": "送信のみ", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "設定", "Share": "共有", "Share Folder": "フォルダーを共有する", @@ -299,7 +310,7 @@ "Sharing": "共有", "Show ID": "IDを表示", "Show QR": "QRコードを表示", - "Show detailed discovery status": "Show detailed discovery status", + "Show detailed discovery status": "詳細な探索ステータスを表示する", "Show detailed listener status": "Show detailed listener status", "Show diff with previous version": "前バージョンとの差分を表示", "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "ステータス画面でデバイスIDの代わりに表示されます。他のデバイスに対してもデフォルトの名前として通知されます。", @@ -349,7 +360,7 @@ "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "入力されたデバイスIDが正しくありません。デバイスIDは52文字または56文字で、アルファベットと数字からなります。スペースとハイフンは入力してもしなくてもかまいません。", "The folder ID cannot be blank.": "フォルダーIDは空欄にできません。", "The folder ID must be unique.": "フォルダーIDが重複しています。", - "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.", + "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "他のデバイス上にあるフォルダーの中身は、このデバイスのものと同じになるように上書きされます。他のデバイスにあっても、ここに表示されていないファイルは削除されます。", "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.", "The folder path cannot be blank.": "フォルダーパスは空欄にできません。", "The following intervals are used: for the first hour a version is kept every 30 seconds, for the first day a version is kept every hour, for the first 30 days a version is kept every day, until the maximum age a version is kept every week.": "保存間隔は次の通りです。初めの1時間は30秒ごとに古いバージョンを保存します。同様に、初めの1日間は1時間ごと、初めの30日間は1日ごと、その後最大保存日数までは1週間ごとに、古いバージョンを保存します。", @@ -357,7 +368,7 @@ "The following items were changed locally.": "The following items were changed locally.", "The following methods are used to discover other devices on the network and announce this device to be found by others:": "The following methods are used to discover other devices on the network and announce this device to be found by others:", "The following unexpected items were found.": "The following unexpected items were found.", - "The interval must be a positive number of seconds.": "The interval must be a positive number of seconds.", + "The interval must be a positive number of seconds.": "間隔は0秒以下にはできません。", "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.", "The maximum age must be a number and cannot be blank.": "最大保存日数には数値を指定してください。空欄にはできません。", "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "古いバージョンを保持する最大日数 (0で無期限)", @@ -368,21 +379,25 @@ "The path cannot be blank.": "パスを入力してください。", "The rate limit must be a non-negative number (0: no limit)": "帯域制限値は0以上で指定して下さい。 (0で無制限)", "The rescan interval must be a non-negative number of seconds.": "再スキャン間隔は0秒以上で指定してください。", - "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no devices to share this folder with.": "どのデバイスともフォルダーを共有していません。", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "エラーが解決すると、自動的に再試行され同期されます。", "This Device": "このデバイス", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "この設定のままでは、あなたのコンピューターにある任意のファイルを、他者が簡単に盗み見たり書き換えたりすることができます。", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "メジャーアップグレードです。", "This setting controls the free space required on the home (i.e., index database) disk.": "この設定は、ホームディスク (インデックスデータベースがあるディスク) で必要な空き容量を管理します。", "Time": "日時", - "Time the item was last modified": "Time the item was last modified", + "Time the item was last modified": "項目を最後に変更した日時", + "Today": "Today", "Trash Can File Versioning": "ゴミ箱によるバージョン管理", + "Twitter": "Twitter", "Type": "タイプ", "UNIX Permissions": "UNIX パーミッション", - "Unavailable": "Unavailable", - "Unavailable/Disabled by administrator or maintainer": "Unavailable/Disabled by administrator or maintainer", + "Unavailable": "利用不可", + "Unavailable/Disabled by administrator or maintainer": "利用不可、または管理者によって無効化されています", "Undecided (will prompt)": "未決定(再確認する)", "Unexpected Items": "Unexpected Items", "Unexpected items have been found in this folder.": "Unexpected items have been found in this folder.", @@ -415,13 +430,14 @@ "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "警告: 入力されたパスは、設定済みのフォルダー「{{otherFolderLabel}}」 ({{otherFolder}}) の親ディレクトリです。", "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "警告: 入力されたパスは、設定済みのフォルダー「{{otherFolder}}」のサブディレクトリです。", "Warning, this path is a subdirectory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "警告: 入力されたパスは、設定済みのフォルダー「{{otherFolderLabel}}」 ({{otherFolder}}) のサブディレクトリです。", - "Warning: If you are using an external watcher like {%syncthingInotify%}, you should make sure it is deactivated.": "Warning: If you are using an external watcher like {{syncthingInotify}}, you should make sure it is deactivated.", + "Warning: If you are using an external watcher like {%syncthingInotify%}, you should make sure it is deactivated.": "注意: {{syncthingInotify}} などの外部の監視ソフトは必ず無効にしてください。", "Watch for Changes": "変更の監視", "Watching for Changes": "変更の監視", "Watching for changes discovers most changes without periodic scanning.": "変更の監視は、定期スキャンを行わずにほとんどの変更を検出できます。", "When adding a new device, keep in mind that this device must be added on the other side too.": "新しいデバイスを追加する際は、相手側デバイスにもこのデバイスを追加してください。", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "新しいフォルダーを追加する際、フォルダーIDはデバイス間でフォルダーの対応づけに使われることに注意してください。フォルダーIDは大文字と小文字が区別され、共有するすべてのデバイスの間で完全に一致しなくてはなりません。", "Yes": "はい", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "近くに検出された以下のデバイスの一つを選択できます。", "You can change your choice at any time in the Settings dialog.": "この設定はいつでも変更できます。", "You can read more about the two release channels at the link below.": "2種類のリリースチャネルについての詳細は、以下のリンク先を参照してください。", @@ -436,6 +452,10 @@ "full documentation": "詳細なマニュアル", "items": "項目", "seconds": "seconds", + "theme-name-black": "ブラック", + "theme-name-dark": "ダーク", + "theme-name-default": "デフォルト", + "theme-name-light": "ライト", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} がフォルダー \"{{folder}}\" を共有するよう求めています。", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} がフォルダー「{{folderlabel}}」 ({{folder}}) を共有するよう求めています。", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ko-KR.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ko-KR.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ko-KR.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ko-KR.json 2022-04-05 03:32:50.000000000 +0000 @@ -1,7 +1,7 @@ { - "A device with that ID is already added.": "이 기기 ID는 이미 존재합니다.", - "A negative number of days doesn't make sense.": "음수로는 지정할 수 없습니다.", - "A new major version may not be compatible with previous versions.": "새로운 주요 버전은 이전 버전과 호환되지 않을 수 있습니다.", + "A device with that ID is already added.": "이 ID 번호를 가진 기기가 이미 추가되어 있습니다.", + "A negative number of days doesn't make sense.": "일수를 음수로 입력하는 것은 말이 되지 않습니다.", + "A new major version may not be compatible with previous versions.": "새로운 주요 버전이 이전 버전과 호환되지 않을 수 있습니다.", "API Key": "API 키", "About": "정보", "Action": "동작", @@ -10,62 +10,67 @@ "Add Device": "기기 추가", "Add Folder": "폴더 추가", "Add Remote Device": "다른 기기 추가", - "Add devices from the introducer to our device list, for mutually shared folders.": "상호 공유 폴더에 대해 유도자의 기기를 내 기기 목록에 추가합니다.", - "Add new folder?": "새로운 폴더를 추가하시겠습니까?", - "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "추가적으로 전체 탐색 간격이 늘어납니다 (시간이 60, 즉 기본값 인 1 시간). 아니요를 선택한 후에 모든 폴더에 대해 직접 설정도 가능합니다.", + "Add devices from the introducer to our device list, for mutually shared folders.": "상호 공유 폴더에 대해 소개자의 목록에 있는 기기를 현재 기기 목록에 추가됩니다.", + "Add ignore patterns": "무시 양식 추가", + "Add new folder?": "새 폴더를 추가하시겠습니까?", + "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "또한 완전 재탐색 간격도 확장됩니다(곱하기 60, 즉 새 기본값인 1시간으로). 폴더별로 나중에 직접 설정하려면 아니요를 선택하십시오.", "Address": "주소", "Addresses": "주소", "Advanced": "고급", "Advanced Configuration": "고급 설정", "All Data": "전체 데이터", - "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", - "Allow Anonymous Usage Reporting?": "익명 사용 보고서를 보내시겠습니까?", - "Allowed Networks": "허가된 네트워크", + "All Time": "전체 기간", + "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "송신하는 데이터 모두를 비밀번호 없이 읽을 수 없도록 이 기기와 공유한 모든 폴더를 비밀번호로 보호해야 합니다.", + "Allow Anonymous Usage Reporting?": "익명 사용 보고를 허용하시겠습니까?", + "Allowed Networks": "허가된 망", "Alphabetic": "가나다순", + "Altered by ignoring deletes.": "삭제 항목 무시로 변경됨", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "외부 명령이 파일 버전을 관리합니다. 공유 폴더에서 파일을 삭제해야 합니다. 응용 프로그램의 경로에 공백이 있으면 따옴표로 묶어야 합니다.", - "Anonymous Usage Reporting": "익명 사용 보고서", - "Anonymous usage report format has changed. Would you like to move to the new format?": "익명 사용 보고서의 형식이 변경되었습니다. 새 형식으로 이동하시겠습니까?", + "Anonymous Usage Reporting": "익명 사용 보고", + "Anonymous usage report format has changed. Would you like to move to the new format?": "익명 사용 보고의 형식이 변경되었습니다. 새 형식으로 설정을 변경하시겠습니까?", + "Apply": "적용", "Are you sure you want to continue?": "계속하시겠습니까?", - "Are you sure you want to override all remote changes?": "다른 기기의 모든 변경 항목을 덮어쓰시겠습니까?", - "Are you sure you want to permanently delete all these files?": "이 모든 파일을 영구 삭제하시겠습니까?", + "Are you sure you want to override all remote changes?": "다른 기기의 변경 항목 모두를 덮어쓰시겠습니까?", + "Are you sure you want to permanently delete all these files?": "이 파일 모두를 영구 삭제하시겠습니까?", "Are you sure you want to remove device {%name%}?": "{{name}} 기기를 제거하시겠습니까?", "Are you sure you want to remove folder {%label%}?": "{{label}} 폴더를 제거하시겠습니까?", - "Are you sure you want to restore {%count%} files?": "{{count}} 개의 파일을 복원하시겠습니까?", - "Are you sure you want to revert all local changes?": "이 기기의 모든 변경 항목을 되돌리시겠습니까?", + "Are you sure you want to restore {%count%} files?": "{{count}}개의 파일을 복구하시겠습니까?", + "Are you sure you want to revert all local changes?": "현재 기기의 변경 항목 모두를 되돌리시겠습니까?", "Are you sure you want to upgrade?": "업데이트를 하시겠습니까?", "Auto Accept": "자동 수락", - "Automatic Crash Reporting": "자동 충돌 보고서", - "Automatic upgrade now offers the choice between stable releases and release candidates.": "자동 업데이트가 안정 버전과 출시 후보 중 선택할 수 있게 바뀌었습니다.", + "Automatic Crash Reporting": "자동 충돌 보고", + "Automatic upgrade now offers the choice between stable releases and release candidates.": "자동 업데이트가 안정 버전과 출시 후보 중 선택할 수 있게 변경되었습니다.", "Automatic upgrades": "자동 업데이트", "Automatic upgrades are always enabled for candidate releases.": "출시 후보는 자동 업데이트가 항상 활성화되어 있습니다.", - "Automatically create or share folders that this device advertises at the default path.": "이 기기가 기본 경로에서 알리는 폴더를 자동으로 만들거나 공유합니다.", - "Available debug logging facilities:": "사용 가능한 디버그 로깅 기능:", + "Automatically create or share folders that this device advertises at the default path.": "이 기기가 통보하는 폴더들이 기본 경로에서 자동으로 생성 또는 공유됩나다.", + "Available debug logging facilities:": "사용 가능한 디버그 기록 기능:", "Be careful!": "주의하십시오!", "Bugs": "버그", "Cancel": "취소", - "Changelog": "바뀐 점", - "Clean out after": "삭제 후", - "Cleaning Versions": "버전 정리 중", + "Changelog": "변경 기록", + "Clean out after": "보관 기간", + "Cleaning Versions": "버전 정리", "Cleanup Interval": "정리 간격", "Click to see discovery failures": "탐지 실패 보기", - "Click to see full identification string and QR code.": "기기 식별자 및 QR 코드 보기", + "Click to see full identification string and QR code.": "기기 식별자 전체 및 QR 코드 보기", "Close": "닫기", "Command": "명령", - "Comment, when used at the start of a line": "명령행에서 시작을 할수 있어요.", + "Comment, when used at the start of a line": "주석(줄 앞에 사용할 때)", "Compression": "압축", "Configured": "설정됨", - "Connected (Unused)": "연결됨 (미사용)", + "Connected (Unused)": "연결됨(미사용)", "Connection Error": "연결 오류", "Connection Type": "연결 유형", "Connections": "연결", - "Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.": "Syncthing는 변경 사항을 지속적으로 감지 할 수 있습니다. 이렇게 하면 디스크의 변경 사항을 감지하고 수정 된 경로에서만 검사를 실행합니다. 이점은 변경 사항이 더 빠르게 전파되고 전체 탐색 횟수가 줄어듭니다.", + "Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.": "지속적 변경 항목 감시 기능이 Syncthing에 추가되었습니다. 저장장치에서 변경 항목이 감시되면 변경된 경로에서만 탐색이 실시됩니다. 변경 항목이 더 빠르게 전파되며 완전 탐색 횟수가 줄어드는 이점이 있습니다.", "Copied from elsewhere": "다른 곳에서 복사됨", "Copied from original": "원본에서 복사됨", - "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 the following Contributors:", - "Creating ignore patterns, overwriting an existing file at {%path%}.": "무시 패턴 생성 중, {{path}}에 존재하는 파일을 덮어씁니다.", - "Currently Shared With Devices": "현재 공유된 기기", + "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 하위 기여자들:", + "Creating ignore patterns, overwriting an existing file at {%path%}.": "무시 양식 생성 중; {{path}} 경로의 기존 파일을 덮어씁니다.", + "Currently Shared With Devices": "공유된 기기", + "Custom Range": "사용자 설정 기간", "Danger!": "위험!", - "Debugging Facilities": "디버깅 기능", + "Debugging Facilities": "디버그 기능", "Default Configuration": "기본 설정", "Default Device": "기본 기기", "Default Folder": "기본 폴더", @@ -75,196 +80,201 @@ "Delete Unexpected Items": "예기치 못한 항목 삭제", "Deleted": "삭제됨", "Deselect All": "모두 선택 해제", - "Deselect devices to stop sharing this folder with.": "Deselect devices to stop sharing this folder with.", - "Deselect folders to stop sharing with this device.": "Deselect folders to stop sharing with this device.", + "Deselect devices to stop sharing this folder with.": "현재 폴더를 공유하지 않을 기기를 선택 해제하십시오.", + "Deselect folders to stop sharing with this device.": "현재 기기와 공유하지 않을 폴더를 선택 해제하십시오.", "Device": "기기", - "Device \"{%name%}\" ({%device%} at {%address%}) wants to connect. Add new device?": "다른 기기가 \"{{name}}\" ({{device}} {{address}})에서 접속을 요청했습니다. 새 기기를 추가하시겠습니까?", - "Device ID": "기기 ID", + "Device \"{%name%}\" ({%device%} at {%address%}) wants to connect. Add new device?": "\"{{name}}\" ({{device}} 기기가 {{address}}) 주소에서 접속을 요청했습니다. 새 기기를 추가하시겠습니까?", + "Device ID": "기기 ID 번호", "Device Identification": "기기 식별자", "Device Name": "기기명", - "Device is untrusted, enter encryption password": "신뢰하지 않는 기기입니다. 암호화 비밀번호를 입력하십시오.", + "Device is untrusted, enter encryption password": "신뢰하지 않는 기기입니다; 암호화 비밀번호를 입력하십시오", "Device rate limits": "기기 속도 제한", - "Device that last modified the item": "항목을 마지막으로 수정한 기기", + "Device that last modified the item": "항목 최근 수정 기기", "Devices": "기기", - "Disable Crash Reporting": "충돌 보고서 해제", + "Disable Crash Reporting": "충돌 보고 비활성화", "Disabled": "비활성화됨", - "Disabled periodic scanning and disabled watching for changes": "주기적 탐색을 사용 중지하고 변경 사항을 감시하지 않음", - "Disabled periodic scanning and enabled watching for changes": "주기적 탐색을 사용 중지하고 변경 사항 감시 하기", - "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:", - "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).", - "Discard": "무시", + "Disabled periodic scanning and disabled watching for changes": "주기적 탐색 비활성화됨 및 변경 항목 감시 비활성화됨", + "Disabled periodic scanning and enabled watching for changes": "주기적 탐색 비활성화됨 및 변경 항목 감시 활성화됨", + "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "주기적 탐색 비활성화됨 및 변경 항목 감시 설정에 실패함; 1분마다 재시도 중:", + "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "파일 권한의 비교 및 동기화가 비활성화됩니다. FAT, exFAT, Synology, Android 등 파일 권한이 존재하지 않거나 비표준 파일 권한을 사용하는 체제에서 유용합니다.", + "Discard": "일시적 무시", "Disconnected": "연결 끊김", - "Disconnected (Unused)": "연결 끊김 (미사용)", + "Disconnected (Unused)": "연결 끊김(미사용)", "Discovered": "탐지됨", "Discovery": "탐지", "Discovery Failures": "탐지 실패", "Discovery Status": "탐지 현황", - "Dismiss": "무시", - "Do not add it to the ignore list, so this notification may recur.": "Do not add it to the ignore list, so this notification may recur.", - "Do not restore": "복구 하지 않기", - "Do not restore all": "모두 복구 하지 않기", - "Do you want to enable watching for changes for all your folders?": "변경 사항 감시를 당신의 모든 폴더에서 활성화 하는걸 원하시나요?", + "Dismiss": "나중에", + "Do not add it to the ignore list, so this notification may recur.": "무시 항목에 추가되지 않으니 이 알림이 다시 표시될 수 있습니다.", + "Do not restore": "복구하지 않기", + "Do not restore all": "모두 복구하지 않기", + "Do you want to enable watching for changes for all your folders?": "변경 항목 감시를 모든 폴더에서 활성화하시겠습니까?", "Documentation": "사용 설명서", "Download Rate": "수신 속도", "Downloaded": "수신됨", - "Downloading": "수신 중", + "Downloading": "수신", "Edit": "편집", "Edit Device": "기기 편집", "Edit Device Defaults": "기기 기본 설정 편집", "Edit Folder": "폴더 편집", "Edit Folder Defaults": "폴더 기본 설정 편집", - "Editing {%path%}.": "{{path}} 편집 중", - "Enable Crash Reporting": "충돌 보고서 활성화", - "Enable NAT traversal": "NAT traversal 활성화", - "Enable Relaying": "Relaying 활성화", + "Editing {%path%}.": "{{path}} 편집 중입니다.", + "Enable Crash Reporting": "충돌 보고 활성화", + "Enable NAT traversal": "NAT 통과 활성화", + "Enable Relaying": "중계 활성화", "Enabled": "활성화됨", - "Enter a non-negative number (e.g., \"2.35\") and select a unit. Percentages are as part of the total disk size.": "음수가 아닌 수 (예, \"2.35\") 를 입력 후 단위를 선택하세요. 백분율은 총 디스크 크기의 일부입니다.", - "Enter a non-privileged port number (1024 - 65535).": "비 특권 포트 번호를 입력하세요 (1024 - 65535).", - "Enter comma separated (\"tcp://ip:port\", \"tcp://host:port\") addresses or \"dynamic\" to perform automatic discovery of the address.": "Enter comma separated (\"tcp://ip:port\", \"tcp://host:port\") addresses or \"dynamic\" to perform automatic discovery of the address.", - "Enter ignore patterns, one per line.": "무시할 패턴을 한 줄에 하나씩 입력하세요.", - "Enter up to three octal digits.": "최대 3자리의 8진수를 입력하세요.", + "Enter a non-negative number (e.g., \"2.35\") and select a unit. Percentages are as part of the total disk size.": "양수(예: \"2.35\")를 입력한 후에 단위를 선택하십시오. 백분율은 저장 장치의 총용량에서 계산됩니다.", + "Enter a non-privileged port number (1024 - 65535).": "비특권 포트 번호(1024~65535)를 입력하십시오.", + "Enter comma separated (\"tcp://ip:port\", \"tcp://host:port\") addresses or \"dynamic\" to perform automatic discovery of the address.": "쉼표로 나눈 주소(\"tcp://ip:port\", \"tcp://host:port\") 또는 주소를 자동 탐지해주는 \"dynamic\"을 입력하십시오.", + "Enter ignore patterns, one per line.": "무시할 양식을 한 줄에 하나씩 입력하십시오.", + "Enter up to three octal digits.": "최대 3자리의 8진수를 입력하십시오.", "Error": "오류", "External File Versioning": "외부 파일 버전 관리", "Failed Items": "실패 항목", - "Failed to load ignore patterns.": "Failed to load ignore patterns.", - "Failed to setup, retrying": "설정 적용 실패, 재시도 중", - "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "IPv6 네트워크에 연결되지 않은 경우 IPv6 서버에 연결 할 수 없습니다.", + "Failed to load file versions.": "파일 버전을 불러오기에 실패했습니다.", + "Failed to load ignore patterns.": "무시 양식을 불러오기에 실패했습니다.", + "Failed to setup, retrying": "설정 적용 실패; 재시도 중", + "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "IPv6 연결이 없을 때는 IPv6 서버에 접속하지 못하는 것이 정상입니다.", "File Pull Order": "파일 수신 순서", "File Versioning": "파일 버전 관리", - "Files are moved to .stversions directory when replaced or deleted by Syncthing.": "파일이 Syncthing에 의해서 교체되거나 삭제되면 .stversions 폴더로 이동됩니다.", - "Files are moved to date stamped versions in a .stversions directory when replaced or deleted by Syncthing.": "파일이 Syncthing에 의해서 교체되거나 삭제되면 .stversions 폴더에 있는 날짜가 바뀐 버전으로 이동됩니다.", - "Files are protected from changes made on other devices, but changes made on this device will be sent to the rest of the cluster.": "다른 기기가 파일을 편집할 수 없으며 반드시 이 장치의 내용을 기준으로 동기화합니다.", - "Files are synchronized from the cluster, but any changes made locally will not be sent to other devices.": "Files are synchronized from the cluster, but any changes made locally will not be sent to other devices.", + "Files are moved to .stversions directory when replaced or deleted by Syncthing.": "Syncthing에 의해 교체 또는 삭제된 파일은 .stversions 폴더로 이동됩니다.", + "Files are moved to date stamped versions in a .stversions directory when replaced or deleted by Syncthing.": "Syncthing에 의해 교체 또는 삭제된 파일은 날짜가 찍힌 채 .stversions 폴더로 이동됩니다.", + "Files are protected from changes made on other devices, but changes made on this device will be sent to the rest of the cluster.": "다른 기기에서 변경된 내용으로부터 파일이 보호되어 있지만 현재 기기에서 변경된 항목은 다른 기기로 송신됩니다.", + "Files are synchronized from the cluster, but any changes made locally will not be sent to other devices.": "다른 기기로부터 파일이 동기화되지만 현재 기기에서 변경된 항목은 다른 기기로 송신되지 않습니다.", "Filesystem Watcher Errors": "파일 시스템 감시 오류", - "Filter by date": "날짜별 정렬", - "Filter by name": "이름별 정렬", + "Filter by date": "날짜별 검색", + "Filter by name": "이름별 검색", "Folder": "폴더", - "Folder ID": "폴더 ID", + "Folder ID": "폴더 ID 번호", "Folder Label": "폴더명", "Folder Path": "폴더 경로", "Folder Type": "폴더 유형", - "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Folder type \"{{receiveEncrypted}}\" can only be set when adding a new folder.", - "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "Folder type \"{{receiveEncrypted}}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.", + "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "\"{{receiveEncrypted}}\" 폴더 유형은 새 폴더를 추가할 때만 설정할 수 있습니다.", + "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "\"{{receiveEncrypted}}\" 폴더 유형은 폴더를 추가한 후에 변경할 수 없습니다. 폴더를 먼저 삭제하고, 저장 장치에 있는 데이터를 삭제 또는 해독한 다음에 폴더를 다시 추가하십시오.", "Folders": "폴더", - "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.", - "Full Rescan Interval (s)": "전체 재탐색 간격 (초)", + "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "다음 폴더에 변경 항목 감시를 적용하는 과정에서 오류가 발생했습니다. 1분마다 재시도할 예정이므로 오류는 곧 사라질 수 있습니다. 만일 사라지지 않으면 문제의 원인을 직접 해결하거나 스스로 해결하지 못할 경우에는 도움을 요청하십시오.", + "Full Rescan Interval (s)": "완전 재탐색 간격(초)", "GUI": "GUI", "GUI Authentication Password": "GUI 인증 비밀번호", "GUI Authentication User": "GUI 인증 사용자", - "GUI Authentication: Set User and Password": "GUI 인증: 사용자와 비밀번호를 설정하십시오", - "GUI Listen Address": "GUI 수신 주소", + "GUI Authentication: Set User and Password": "GUI 인증 : 사용자 이름과 비밀번호를 설정하십시오", + "GUI Listen Address": "GUI 대기 주소", "GUI Theme": "GUI 테마", "General": "일반", "Generate": "생성", "Global Discovery": "글로벌 탐지", "Global Discovery Servers": "글로벌 탐지 서버", - "Global State": "글로벌 서버 상태", + "Global State": "전체 기기 상태", "Help": "도움말", "Home page": "홈페이지", - "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.", + "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "다만, 현재 설정에 의하면 이 기능을 활성화하고 싶지 않을 확률이 높습니다. 따라서 자동 충돌 보고를 비활성화시켰습니다.", "Identification": "식별자", - "If untrusted, enter encryption password": "신뢰하지 않는 경우 암호화 비밀번호를 입력하십시오.", - "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.", + "If untrusted, enter encryption password": "신뢰하지 않으면 암호화 비밀번호를 입력하십시오", + "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "현재 컴퓨터의 다른 사용자로부터 Syncthing과 이를 통한 파일 접속을 차단하려면 인증을 설정하는 것이 좋습니다.", "Ignore": "무시", - "Ignore Patterns": "무시 패턴", + "Ignore Patterns": "무시 양식", "Ignore Permissions": "권한 무시", - "Ignored Devices": "무시된 기기", - "Ignored Folders": "무시된 폴더", - "Ignored at": "Ignored at", - "Incoming Rate Limit (KiB/s)": "수신 속도 제한 (KiB/s)", - "Incorrect configuration may damage your folder contents and render Syncthing inoperable.": "잘못된 설정은 폴더의 컨텐츠를 훼손하거나 Syncthing의 오작동을 일으킬 수 있습니다.", - "Introduced By": "Introduced By", - "Introducer": "유도자", - "Inversion of the given condition (i.e. do not exclude)": "주어진 조건의 반대 (전혀 배제하지 않음)", - "Keep Versions": "버전 보관", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "무시 양식은 폴더가 생성된 후에만 추가할 수 있습니다. 체크할 경우, 폴더를 저장할 다음에 무시 양식을 입력하기 위한 새 창으로 이동합니다.", + "Ignored Devices": "무시한 기기", + "Ignored Folders": "무시한 폴더", + "Ignored at": "무시한 일자", + "Incoming Rate Limit (KiB/s)": "수신 속도 제한(KiB/s)", + "Incorrect configuration may damage your folder contents and render Syncthing inoperable.": "잘못된 설정은 폴더의 내용을 훼손하거나 Syncthing을 작동하지 못하게 할 수 있습니다.", + "Introduced By": "소개한 기기", + "Introducer": "소개자", + "Inversion of the given condition (i.e. do not exclude)": "특정한 조건의 반대(즉, 배제하지 않음)", + "Keep Versions": "버전 수", "LDAP": "LDAP", "Largest First": "큰 파일 순", - "Last Scan": "마지막 탐색", - "Last seen": "마지막 접속", + "Last 30 Days": "지난 30일", + "Last 7 Days": "지난 7일", + "Last Month": "지난 달", + "Last Scan": "최근 탐색", + "Last seen": "최근 접속", "Latest Change": "최신 변경 항목", "Learn more": "더 알아보기", "Limit": "제한", - "Listener Failures": "수신자 실패", - "Listener Status": "수신자 현황", - "Listeners": "수신자", + "Listener Failures": "대기자 실패", + "Listener Status": "대기자 현황", + "Listeners": "대기자", "Loading data...": "데이터를 불러오는 중...", "Loading...": "불러오는 중...", - "Local Additions": "로컬 변경 항목", + "Local Additions": "현재 기기 추가 항목", "Local Discovery": "로컬 탐지", - "Local State": "로컬 상태", - "Local State (Total)": "로컬 상태 (합계)", - "Locally Changed Items": "로컬 변경 항목", + "Local State": "현재 기기 상태", + "Local State (Total)": "현재 기기 상태(합계)", + "Locally Changed Items": "현재 기기 변경 항목", "Log": "기록", - "Log tailing paused. Scroll to the bottom to continue.": "Log tailing paused. Scroll to the bottom to continue.", + "Log tailing paused. Scroll to the bottom to continue.": "기록의 자동 새로고침이 일시 중지되었습니다. 재개하려면 창 밑으로 내려가십시오.", "Logs": "기록", "Major Upgrade": "주요 업데이트", - "Mass actions": "Mass actions", - "Maximum Age": "최대 보존 기간", + "Mass actions": "다중 동작", + "Maximum Age": "최대 보관 기간", "Metadata Only": "메타데이터만", - "Minimum Free Disk Space": "최소 여유 디스크 용량", - "Mod. Device": "수정된 기기", - "Mod. Time": "수정된 시간", + "Minimum Free Disk Space": "저장 장치 최소 여유 공간", + "Mod. Device": "수정 기기", + "Mod. Time": "수정 시간", "Move to top of queue": "대기열 상단으로 이동", - "Multi level wildcard (matches multiple directory levels)": "다중 레벨 와일드 카드 (여러 단계의 디렉토리와 일치하는 경우)", - "Never": "사용 안 함", + "Multi level wildcard (matches multiple directory levels)": "다중 수준 와일드카드(여러 단계의 디렉토리에서 적용됨)", + "Never": "사용하지 않음", "New Device": "새 기기", "New Folder": "새 폴더", "Newest First": "최신 파일 순", "No": "아니요", - "No File Versioning": "파일 버전 관리 안 함", - "No files will be deleted as a result of this operation.": "No files will be deleted as a result of this operation.", - "No upgrades": "업데이트 안함", + "No File Versioning": "파일 버전 관리하지 않음", + "No files will be deleted as a result of this operation.": "이 작업의 결과로는 아무 파일도 삭제되지 않습니다.", + "No upgrades": "업데이트하지 않음", "Not shared": "공유되지 않음", "Notice": "공지", "OK": "확인", - "Off": "꺼짐", - "Oldest First": "오래된 파일 순", - "Optional descriptive label for the folder. Can be different on each device.": "폴더 라벨은 편의를 위한 것입니다. 기기마다 다르게 설정할 수 있습니다.", + "Off": "하지 않음", + "Oldest First": "오랜 파일 순", + "Optional descriptive label for the folder. Can be different on each device.": "폴더를 묘사하는 선택적 이름입니다. 기기마다 달리 설정해도 됩니다.", "Options": "옵션", "Out of Sync": "동기화 실패", "Out of Sync Items": "동기화 실패 항목", - "Outgoing Rate Limit (KiB/s)": "송신 속도 제한 (KiB/s)", + "Outgoing Rate Limit (KiB/s)": "송신 속도 제한(KiB/s)", "Override": "덮어쓰기", "Override Changes": "변경 항목 덮어쓰기", "Path": "경로", - "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "로컬 컴퓨터에 있는 폴더의 경로를 지정합니다. 존재하지 않는 폴더일 경우 자동으로 생성됩니다. 물결 기호 (~)는 아래와 같은 폴더를 나타냅니다.", - "Path where new auto accepted folders will be created, as well as the default suggested path when adding new folders via the UI. Tilde character (~) expands to {%tilde%}.": "Path where new auto accepted folders will be created, as well as the default suggested path when adding new folders via the UI. Tilde character (~) expands to {{tilde}}.", - "Path where versions should be stored (leave empty for the default .stversions directory in the shared folder).": "버전을 보관할 경로 (비워둘 시 공유된 폴더 안의 기본값 .stversions 폴더로 지정됨)", + "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "현재 기기에 있는 폴더의 경로입니다. 존재하지 않을 경우에는 자동으로 생성됩니다. 물결표(~)는 다음 폴더를 나타냅니다.", + "Path where new auto accepted folders will be created, as well as the default suggested path when adding new folders via the UI. Tilde character (~) expands to {%tilde%}.": "자동 수락한 폴더가 생성되는 경로이며, UI를 통해 폴더를 추가할 때 자동 완성되는 기본값 경로입니다. 물결표(~)는 {{tilde}}로 확장됩니다.", + "Path where versions should be stored (leave empty for the default .stversions directory in the shared folder).": "버전을 보관할 경로입니다(공유 폴더 안의 기본값 .stversions 폴더를 사용하려면 비워 두십시오).", "Pause": "일시 중지", "Pause All": "모두 일시 중지", "Paused": "일시 중지됨", - "Paused (Unused)": "일시 중지됨 (미사용)", - "Pending changes": "Pending changes", - "Periodic scanning at given interval and disabled watching for changes": "Periodic scanning at given interval and disabled watching for changes", - "Periodic scanning at given interval and enabled watching for changes": "Periodic scanning at given interval and enabled watching for changes", - "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:", - "Permanently add it to the ignore list, suppressing further notifications.": "Permanently add it to the ignore list, suppressing further notifications.", + "Paused (Unused)": "일시 중지됨(미사용)", + "Pending changes": "대기 중 변경 항목", + "Periodic scanning at given interval and disabled watching for changes": "설정한 간격으로 주기적 탐색 활성화됨 및 변경 항목 감시 비활성화됨", + "Periodic scanning at given interval and enabled watching for changes": "설정한 간격으로 주기적 탐색 활성화됨 및 변경 항목 감시 활성화됨", + "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "설정한 간격으로 주기적 탐색 활성화됨 및 변경 항목 감시 설정에 실패함; 1분마다 재시도 중:", + "Permanently add it to the ignore list, suppressing further notifications.": "무시 목록에 영구 추가되어 앞으로의 알림을 차단합니다.", "Permissions": "권한", - "Please consult the release notes before performing a major upgrade.": "메이저 업데이트를 하기 전에 먼저 릴리즈 노트를 살펴보세요.", - "Please set a GUI Authentication User and Password in the Settings dialog.": "설정에서 GUI 인증용 User와 암호를 입력해주세요.", + "Please consult the release notes before performing a major upgrade.": "주요 업데이트를 적용하기 전에는 출시 버전의 기록 정보를 확인하시기 바랍니다.", + "Please set a GUI Authentication User and Password in the Settings dialog.": "설정 창에서 GUI 인증 사용자 이름과 비밀번호를 설정하십시오.", "Please wait": "기다려 주십시오", - "Prefix indicating that the file can be deleted if preventing directory removal": "디렉토리 제거를 방지 할 경우 파일을 삭제할 수 있음을 나타내는 접두사", - "Prefix indicating that the pattern should be matched without case sensitivity": "대소 문자를 구분하지 않고 패턴을 일치시켜야 함을 나타내는 접두사", - "Preparing to Sync": "동기화 준비 중", + "Prefix indicating that the file can be deleted if preventing directory removal": "디렉터리 제거를 방지하는 파일을 삭제할 수 있음을 나타내는 접두사", + "Prefix indicating that the pattern should be matched without case sensitivity": "대소문자 구분 없이 양식을 적용함을 나타내는 접두사", + "Preparing to Sync": "동기화 준비", "Preview": "미리 보기", "Preview Usage Report": "사용 보고서 미리 보기", - "Quick guide to supported patterns": "지원하는 패턴에 대한 빠른 도움말", + "Quick guide to supported patterns": "지원하는 양식에 대한 빠른 도움말", "Random": "무작위", "Receive Encrypted": "암호화 수신", "Receive Only": "수신 전용", "Received data is already encrypted": "수신된 데이터는 이미 암호화되어 있습니다", "Recent Changes": "최근 변경 항목", - "Reduced by ignore patterns": "무시 패턴으로 축소", - "Release Notes": "릴리즈 노트", - "Release candidates contain the latest features and fixes. They are similar to the traditional bi-weekly Syncthing releases.": "출시 후보는 최신 기능과 버그 픽스를 포함 하고 있습니다. 이 버전은 예전 방식인 2주 주기 Syncthing 출시와 비슷합니다.", + "Reduced by ignore patterns": "무시 양식으로 축소됨", + "Release Notes": "출시 버전의 기록 정보", + "Release candidates contain the latest features and fixes. They are similar to the traditional bi-weekly Syncthing releases.": "출시 후보는 최신 기능과 버그 수정을 포함하고 있습니다. 2주마다 출시되던 예전의 Syncthing 버전과 유사합니다.", "Remote Devices": "다른 기기", "Remote GUI": "원격 GUI", "Remove": "제거", "Remove Device": "기기 제거", "Remove Folder": "폴더 제거", - "Required identifier for the folder. Must be the same on all cluster devices.": "폴더 식별자가 필요합니다. 모든 기기에서 동일해야 합니다.", + "Required identifier for the folder. Must be the same on all cluster devices.": "필수로 필요한 폴더의 식별자입니다. 모든 기기에서 동일해야 합니다.", "Rescan": "재탐색", - "Rescan All": "전체 재탐색", + "Rescan All": "모두 재탐색", "Rescans": "재탐색", "Restart": "재시작", "Restart Needed": "재시작 필요", @@ -273,170 +283,180 @@ "Restore Versions": "버전 복구", "Resume": "재개", "Resume All": "모두 재개", - "Reused": "재사용", + "Reused": "재사용됨", "Revert": "되돌리기", - "Revert Local Changes": "본 기기의 변경 항목 되돌리기", + "Revert Local Changes": "현재 기기 변경 항목 되돌리기", "Save": "저장", - "Scan Time Remaining": "탐색 남은 시간", - "Scanning": "탐색 중", - "See external versioning help for supported templated command line parameters.": "지원되는 템플릿 명령 행 매개 변수에 대해서는 외부 버전 도움말을 참조하십시오.", + "Scan Time Remaining": "남은 탐색 시간", + "Scanning": "탐색", + "See external versioning help for supported templated command line parameters.": "지원하는 견본 명령 매개 변수에 대해서는 외부 파일 버전 관리의 도움말을 참조하십시오.", "Select All": "모두 선택", "Select a version": "버전을 선택하십시오.", - "Select additional devices to share this folder with.": "이 폴더를 추가로 공유할 기기를 선택하십시오.", - "Select additional folders to share with this device.": "이 기기와 추가로 공유할 폴더를 선택하십시오.", - "Select latest version": "가장 최신 버전 선택하십시오.", - "Select oldest version": "가장 오래된 버전 선택하십시오.", - "Select the folders to share with this device.": "이 기기와 공유할 폴더를 선택하십시오.", - "Send & Receive": "송신 & 수신", + "Select additional devices to share this folder with.": "현재 폴더를 추가로 공유할 기기를 선택하십시오.", + "Select additional folders to share with this device.": "현재 기기와 추가로 공유할 폴더를 선택하십시오.", + "Select latest version": "가장 최신 버전 선택", + "Select oldest version": "가장 오랜 버전 선택", + "Select the folders to share with this device.": "현재 기기와 공유할 폴더를 선택하십시오.", + "Send & Receive": "송수신", "Send Only": "송신 전용", + "Set Ignores on Added Folder": "추가된 폴더에 무시 양식을 설정하십시오", "Settings": "설정", "Share": "공유", "Share Folder": "폴더 공유", "Share Folders With Device": "폴더를 공유할 기기", "Share this folder?": "이 폴더를 공유하시겠습니까?", - "Shared Folders": "공유 폴더", - "Shared With": "~와 공유", + "Shared Folders": "공유된 폴더", + "Shared With": "공유된 기기", "Sharing": "공유", - "Show ID": "기기 ID 보기", + "Show ID": "기기 ID 번호 보기", "Show QR": "QR 코드 보기", "Show detailed discovery status": "탐지 현황 상세 보기", - "Show detailed listener status": "수신자 현황 상세 보기", - "Show diff with previous version": "이전 버전과 변경사항 보기", - "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "기기에 대한 아이디로 표시됩니다. 옵션에 얻은 기본 이름으로 다른 기기에 통보합니다.", - "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "아이디가 비어 있는 경우 기본 값으로 다른 기기에 업데이트됩니다.", + "Show detailed listener status": "대기자 현황 상세 보기", + "Show diff with previous version": "이전 버전과의 diff 보기", + "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "기기 ID 번호를 대신해 기기 목록에서 나타납니다. 다른 기기에 선택적 기본값 이름으로 통보됩니다.", + "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "기기 ID 번호를 대신해 기기 목록에서 나타납니다. 비워 둘 경우 다른 기기에서 통보받은 이름으로 갱신됩니다.", "Shutdown": "종료", "Shutdown Complete": "종료 완료", "Simple File Versioning": "간단한 파일 버전 관리", - "Single level wildcard (matches within a directory only)": "단일 레벨 와일드카드 (하나의 디렉토리만 일치하는 경우)", + "Single level wildcard (matches within a directory only)": "단일 수준 와일드카드(하나의 디렉토리 내에서만 적용됨)", "Size": "크기", "Smallest First": "작은 파일 순", - "Some discovery methods could not be established for finding other devices or announcing this device:": "Some discovery methods could not be established for finding other devices or announcing this device:", - "Some items could not be restored:": "몇몇 항목들은 복구할 수 없었습니다:", - "Some listening addresses could not be enabled to accept connections:": "Some listening addresses could not be enabled to accept connections:", + "Some discovery methods could not be established for finding other devices or announcing this device:": "다른 기기 검색 또는 현재 기기 통보를 위한 탐지 방식 중 일부가 실행되지 못했습니다:", + "Some items could not be restored:": "몇몇 항목은 복구할 수 없었습니다:", + "Some listening addresses could not be enabled to accept connections:": "접속을 수락해주는 대기 주소 중 일부가 활성화되지 못했습니다:", "Source Code": "소스 코드", - "Stable releases and release candidates": "안정 버전과 출시 후보", - "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "안정 버전은 약 2주 정도 지연되어 출시됩니다. 그 기간 동안 출시 후보에 대한 테스트를 거칩니다.", + "Stable releases and release candidates": "안정 버전 및 출시 후보", + "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "안정 버전은 약 2주 정도 지연되어 출시됩니다. 그 기간 동안 출시 후보로서 실험이 진행됩니다.", "Stable releases only": "안정 버전만", - "Staggered File Versioning": "타임스탬프 기준 파일 버전 관리", + "Staggered File Versioning": "시차제 파일 버전 관리", "Start Browser": "브라우저 열기", "Statistics": "통계", "Stopped": "중지됨", - "Stores and syncs only encrypted data. Folders on all connected devices need to be set up with the same password or be of type \"{%receiveEncrypted%}\" too.": "Stores and syncs only encrypted data. Folders on all connected devices need to be set up with the same password or be of type \"{{receiveEncrypted}}\" too.", + "Stores and syncs only encrypted data. Folders on all connected devices need to be set up with the same password or be of type \"{%receiveEncrypted%}\" too.": "암호화된 데이터만이 보관되어 동기화됩니다. 모든 공유된 기기의 폴더가 동일한 비밀번호를 설정하거나 동일한 \"{{receiveEncrypted}}\" 유형이어야 합니다.", "Support": "지원", - "Support Bundle": "Support Bundle", - "Sync Protocol Listen Addresses": "동기화 프로토콜 수신 주소", - "Syncing": "동기화 중", + "Support Bundle": "지원 묶음", + "Sync Protocol Listen Addresses": "동기화 규약 대기 주소", + "Syncing": "동기화", "Syncthing has been shut down.": "Syncthing이 종료되었습니다.", - "Syncthing includes the following software or portions thereof:": "Syncthing은 다음과 같은 소프트웨어나 그 일부를 포함합니다:", - "Syncthing is Free and Open Source Software licensed as MPL v2.0.": "Syncthing는 MPL v2.0 으로 라이센스 된 무료 및 오픈 소스 소프트웨어입니다.", - "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing is listening on the following network addresses for connection attempts from other devices:", - "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.", + "Syncthing includes the following software or portions thereof:": "Syncthing은 다음과 같은 소프트웨어 또는 그 일부를 포함합니다:", + "Syncthing is Free and Open Source Software licensed as MPL v2.0.": "Syncthing은 MPL v2.0으로 허가된 자유-오픈 소스 소프트웨어입니다.", + "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing이 다른 기기로부터 들어오는 접속 시도를 다음 주소에서 대기 중입니다:", + "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing이 다른 기기로부터 들어오는 접속 시도를 대기하는 주소가 존재하지 않습니다. 현재 기기에서 전송하는 접속만으로 연결이 이루어질 수 있습니다.", "Syncthing is restarting.": "Syncthing이 재시작 중입니다.", "Syncthing is upgrading.": "Syncthing이 업데이트 중입니다.", - "Syncthing now supports automatically reporting crashes to the developers. This feature is enabled by default.": "Syncthing는 이제 개발자에게 충돌보고를 자동으로 지원합니다. 이 기능은 기본적으로 활성화 되어 있습니다.", - "Syncthing seems to be down, or there is a problem with your Internet connection. Retrying…": "Syncthing이 중지되었거나 인터넷 연결에 문제가 있는 것 같습니다. 재시도 중입니다...", - "Syncthing seems to be experiencing a problem processing your request. Please refresh the page or restart Syncthing if the problem persists.": "Syncthing에서 요청을 처리하는 중에 문제가 발생했습니다. 계속 문제가 발생하면 페이지를 다시 불러오거나 Syncthing을 재시작해 보세요.", - "Take me back": "취소", - "The GUI address is overridden by startup options. Changes here will not take effect while the override is in place.": "The GUI address is overridden by startup options. Changes here will not take effect while the override is in place.", + "Syncthing now supports automatically reporting crashes to the developers. This feature is enabled by default.": "개발자에게 충돌을 자동으로 보고하는 기능이 Syncthing에 추가되었습니다. 이 기능은 기본값으로 활성화되어 있습니다.", + "Syncthing seems to be down, or there is a problem with your Internet connection. Retrying…": "Syncthing이 중지되었거나 인터넷 연결에 문제가 발생했습니다. 재시도 중…", + "Syncthing seems to be experiencing a problem processing your request. Please refresh the page or restart Syncthing if the problem persists.": "Syncthing에서 요청을 처리하는 중에 문제가 발행했습니다. 문제가 지속되면 페이지를 새로 고치거나 Syncthing을 재시작해 보십시오.", + "Take me back": "뒤로", + "The GUI address is overridden by startup options. Changes here will not take effect while the override is in place.": "시작 옵션이 GUI 주소를 덮어쓰고 있습니다. 덮어쓰기가 지속되는 동안에는 설정을 변경할 수 없습니다.", "The Syncthing Authors": "The Syncthing Authors", - "The Syncthing admin interface is configured to allow remote access without a password.": "Syncthing 관리자 인터페이스가 암호 없이 원격 접속이 허가되도록 설정되었습니다.", - "The aggregated statistics are publicly available at the URL below.": "수집된 통계는 아래 URL에서 공개적으로 볼 수 있습니다.", + "The Syncthing admin interface is configured to allow remote access without a password.": "Syncthing의 관리자 인터페이스가 비밀번호 없이 원격 접속할 수 있도록 설정되어 있습니다.", + "The aggregated statistics are publicly available at the URL below.": "수집된 통계는 아래의 주소에서 공람되어 있습니다.", "The cleanup interval cannot be blank.": "정리 간격은 비워 둘 수 없습니다.", - "The configuration has been saved but not activated. Syncthing must restart to activate the new configuration.": "설정이 저장되었지만 활성화되지 않았습니다. 설정을 활성화 하려면 Syncthing을 다시 시작하세요.", - "The device ID cannot be blank.": "기기 ID는 비워 둘 수 없습니다.", - "The device ID to enter here can be found in the \"Actions > Show ID\" dialog on the other device. Spaces and dashes are optional (ignored).": "여기에 입력한 기기 ID가 다른 기기의 \"동작 > ID 보기\"에 표시됩니다. 공백과 하이픈은 세지 않습니다. 즉 무시됩니다.", - "The encrypted usage report is sent daily. It is used to track common platforms, folder sizes and app versions. If the reported data set is changed you will be prompted with this dialog again.": "암호화된 사용 보고서는 매일 전송됩니다 사용 중인 플랫폼과 폴더 크기, 앱 버전이 포함되어 있습니다. 전송되는 데이터가 변경되면 다시 이 대화 상자가 나타납니다.", - "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "입력한 기기 ID가 올바르지 않습니다. 52/56자의 알파벳과 숫자로 구성되어 있으며, 공백과 하이픈은 포함되지 않습니다.", - "The folder ID cannot be blank.": "폴더 ID는 비워 둘 수 없습니다.", - "The folder ID must be unique.": "폴더 ID는 중복될 수 없습니다.", - "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.", - "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.", + "The configuration has been saved but not activated. Syncthing must restart to activate the new configuration.": "설정이 저장되었으나 아직 활성화되지 않았습니다. 새 설정을 활성화하려면 Syncthing을 재시작하십시오.", + "The device ID cannot be blank.": "기기 ID 번호는 비워 둘 수 없습니다.", + "The device ID to enter here can be found in the \"Actions > Show ID\" dialog on the other device. Spaces and dashes are optional (ignored).": "이 자리에 입력할 기기 ID 번호는 다른 기기의 \"동작 > 기기 ID 번호 보기\"에서 찾을 수 있습니다. 공백과 하이픈은 선택적입니다(무시됩니다).", + "The encrypted usage report is sent daily. It is used to track common platforms, folder sizes and app versions. If the reported data set is changed you will be prompted with this dialog again.": "암호화된 사용 보고서는 매일 전송됩니다. 사용 중인 운영체제, 폴더 크기와 응용 프로그램 버전을 추적하기 위해서입니다. 만일 보고되는 정보가 변경되면 이 알림창이 다시 표시됩니다.", + "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "입력한 기기 ID 번호가 올바르지 않습니다. 52 또는 56자의 알파벳과 숫자로 구성되어야 하며, 공백과 하이픈은 선택적입니다.", + "The folder ID cannot be blank.": "폴더 ID 번호는 비워 둘 수 없습니다.", + "The folder ID must be unique.": "폴더 ID 번호는 유일무이해야 합니다.", + "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "다른 기기의 폴더 내용을 현재 기기와 동일하도록 덮어씁니다. 현재 기기의 폴더에 존재하지 않는 파일은 다른 기기에서 삭제됩니다.", + "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "현재 기기의 폴더 내용을 다른 기기와 동일하도록 덮어쓰입니다. 현재 기기의 폴더에 새로 추가된 파일은 삭제됩니다.", "The folder path cannot be blank.": "폴더 경로는 비워 둘 수 없습니다.", - "The following intervals are used: for the first hour a version is kept every 30 seconds, for the first day a version is kept every hour, for the first 30 days a version is kept every day, until the maximum age a version is kept every week.": "다음과 같은 간격이 사용됩니다: 첫 한 시간 동안은 버전이 매 30초마다 유지되며, 첫 하루 동안은 매 시간, 첫 한 달 동안은 매 일마다 유지됩니다. 그리고 최대 날짜까지는 버전이 매 주마다 유지됩니다.", - "The following items could not be synchronized.": "이 항목들은 동기화 할 수 없습니다.", - "The following items were changed locally.": "다음 로컬 변경 항목이 발견되었습니다.", - "The following methods are used to discover other devices on the network and announce this device to be found by others:": "The following methods are used to discover other devices on the network and announce this device to be found by others:", - "The following unexpected items were found.": "예기치 못한 항목이 발견되었습니다.", - "The interval must be a positive number of seconds.": "간격은 초 단위의 자연수여야 합니다.", - "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.", - "The maximum age must be a number and cannot be blank.": "최대 보존 기간은 숫자여야 하며 비워 둘 수 없습니다.", - "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "버전을 유지할 최대 시간을 지정합니다. 일단위이며 버전을 계속 유지하려면 0을 입력하세요,", - "The number of days must be a number and cannot be blank.": "날짜는 숫자여야 하며 비워 둘 수 없습니다.", - "The number of days to keep files in the trash can. Zero means forever.": "설정된 날짜 동안 파일이 휴지통에 보관됩니다. 0은 무제한입니다.", - "The number of old versions to keep, per file.": "각 파일별로 유지할 이전 버전의 개수를 지정합니다.", + "The following intervals are used: for the first hour a version is kept every 30 seconds, for the first day a version is kept every hour, for the first 30 days a version is kept every day, until the maximum age a version is kept every week.": "다음과 같은 간격이 사용됩니다: 첫 한 시간 동안은 30초마다, 첫 하루 동안은 1시간마다, 첫 30일 동안은 1일마다, 그리고 최대 보관 기간까지는 1주일마다 버전이 보관됩니다.", + "The following items could not be synchronized.": "다음 항목이 동기화되지 못했습니다.", + "The following items were changed locally.": "다음 항목이 현재 기기에서 변경되었습니다.", + "The following methods are used to discover other devices on the network and announce this device to be found by others:": "망 내의 다른 기기 탐지 및 현재 기기 통보를 위한 다음 방식이 실행 중입니다:", + "The following unexpected items were found.": "다음 예기치 못한 항목이 발견되었습니다.", + "The interval must be a positive number of seconds.": "간격은 초 단위의 양수여야 합니다.", + "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "버전 폴더를 정리하는 초 단위의 간격입니다. 주기적 정리를 비활성화하려면 0을 입력하십시오.", + "The maximum age must be a number and cannot be blank.": "최대 보관 기간은 숫자여야 하며 비워 둘 수 없습니다.", + "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "버전을 보관할 최대 시간입니다(일 단위이며 버전을 영구 보관하려면 0을 입력하십시오).", + "The number of days must be a number and cannot be blank.": "일수는 숫자여야 하며 비워 둘 수 없습니다.", + "The number of days to keep files in the trash can. Zero means forever.": "휴지통에서 파일을 보관할 일수입니다. 0은 무제한을 의미합니다.", + "The number of old versions to keep, per file.": "파일별로 유지할 이전 버전의 개수입니다.", "The number of versions must be a number and cannot be blank.": "버전 개수는 숫자여야 하며 비워 둘 수 없습니다.", "The path cannot be blank.": "경로는 비워 둘 수 없습니다.", - "The rate limit must be a non-negative number (0: no limit)": "대역폭 제한 설정은 반드시 양수로 입력해야 합니다 (0: 무제한)", - "The rescan interval must be a non-negative number of seconds.": "재탐색 간격은 초단위이며 양수로 입력해야 합니다.", + "The rate limit must be a non-negative number (0: no limit)": "속도 제한은 양수여야 합니다(0: 무제한)", + "The rescan interval must be a non-negative number of seconds.": "재탐색 간격은 초 단위의 양수여야 합니다.", "There are no devices to share this folder with.": "이 폴더를 공유할 기기가 없습니다.", + "There are no file versions to restore.": "복구할 파일 버전이 없습니다.", "There are no folders to share with this device.": "이 기기와 공유할 폴더가 없습니다.", - "They are retried automatically and will be synced when the error is resolved.": "오류가 해결되면 자동적으로 동기화 됩니다.", + "They are retried automatically and will be synced when the error is resolved.": "자동 재시도 중이며 문제가 해결되는 즉시 동기화될 예정입니다.", "This Device": "현재 기기", - "This can easily give hackers access to read and change any files on your computer.": "이 설정은 해커가 손쉽게 사용자 컴퓨터의 모든 파일을 읽고 변경할 수 있도록 할 수 있습니다.", - "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", - "This is a major version upgrade.": "이 업데이트는 메이저 버전입니다.", - "This setting controls the free space required on the home (i.e., index database) disk.": "이 설정은 홈 디스크에 필요한 여유 공간을 제어합니다. (즉, 인덱스 데이터베이스)", + "This Month": "이번 달", + "This can easily give hackers access to read and change any files on your computer.": "이로 인해서는 해커가 손쉽게 컴퓨터의 모든 파일을 읽고 편집할 수 있게 됩니다.", + "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "이 기기는 다른 기기를 자동으로 탐지하거나 다른 기기로부터 발견되도록 자신의 주소를 통보할 수 없습니다. 고정 주소로 설정한 기기만이 현재 기기에 접속할 수 있습니다.", + "This is a major version upgrade.": "주요 버전 업데이트입니다.", + "This setting controls the free space required on the home (i.e., index database) disk.": "이 설정은 홈(즉, 인덕스 데이터베이스) 저장 장치의 여유 공간을 관리합니다.", "Time": "시간", - "Time the item was last modified": "항목이 마지막으로 수정 된 시간", + "Time the item was last modified": "항목 최근 변경 시간", + "Today": "오늘", "Trash Can File Versioning": "휴지통을 통한 파일 버전 관리", + "Twitter": "트위터", "Type": "유형", "UNIX Permissions": "UNIX 권한", - "Unavailable": "불가능", - "Unavailable/Disabled by administrator or maintainer": "운영자 또는 관리자에 의해 불가능/비활성화 됨", - "Undecided (will prompt)": "Undecided (will prompt)", + "Unavailable": "변경 불가", + "Unavailable/Disabled by administrator or maintainer": "운영 관리자에 의해 변경 불가 또는 비활성화됨", + "Undecided (will prompt)": "미정(재알림 예정)", "Unexpected Items": "예기치 못한 항목", - "Unexpected items have been found in this folder.": "이 폴더에 예기치 못한 항목이 발견되었습니다.", + "Unexpected items have been found in this folder.": "현재 폴더에서 예기치 못한 항목이 발견되었습니다.", "Unignore": "무시 취소", "Unknown": "알 수 없음", "Unshared": "공유되지 않음", "Unshared Devices": "공유되지 않은 기기", "Unshared Folders": "공유되지 않은 폴더", "Untrusted": "신뢰하지 않음", - "Up to Date": "최신 데이터", - "Updated": "업데이트 완료", + "Up to Date": "최신 상태", + "Updated": "업데이트됨", "Upgrade": "업데이트", "Upgrade To {%version%}": "{{version}}으로 업데이트", "Upgrading": "업데이트 중", - "Upload Rate": "업로드 속도", + "Upload Rate": "송신 속도", "Uptime": "가동 시간", - "Usage reporting is always enabled for candidate releases.": "출시 후보 버전에서는 사용 보고서가 항상 활성화 됩니다.", - "Use HTTPS for GUI": "GUI에서 HTTPS 프로토콜 사용", - "Use notifications from the filesystem to detect changed items.": "Use notifications from the filesystem to detect changed items.", - "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "Username/Password has not been set for the GUI authentication. Please consider setting it up.", + "Usage reporting is always enabled for candidate releases.": "출시 후보 버전에서는 사용 보고가 항상 활성화되어 있습니다.", + "Use HTTPS for GUI": "GUI에서 HTTPS 규약 사용", + "Use notifications from the filesystem to detect changed items.": "파일 시스템 알림을 사용하여 변경 항목을 감시합니다.", + "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "GUI 인증을 위한 사용자 이름과 비밀번호가 설정되지 않았습니다. 이들을 설정하는 것을 고려해 주십시오.", "Version": "버전", "Versions": "버전", - "Versions Path": "버전 저장 경로", - "Versions are automatically deleted if they are older than the maximum age or exceed the number of files allowed in an interval.": "최대 보존 기간보다 오래되었거나 지정한 개수를 넘긴 버전은 자동으로 삭제됩니다.", - "Waiting to Clean": "정리 대기 중", - "Waiting to Scan": "탐색 대기 중", - "Waiting to Sync": "동기화 대기 중", + "Versions Path": "보관 경로", + "Versions are automatically deleted if they are older than the maximum age or exceed the number of files allowed in an interval.": "최대 보관 기간보다 오래되었거나 간격 내에서 허용되는 파일 개수를 넘긴 버전은 자동으로 삭제됩니다.", + "Waiting to Clean": "정리 대기", + "Waiting to Scan": "탐색 대기", + "Waiting to Sync": "동기화 대기", "Warning": "경고", - "Warning, this path is a parent directory of an existing folder \"{%otherFolder%}\".": "경고 : 이 경로는 현재 존재하는 폴더 \"{{otherFolder}}\"의 상위 폴더입니다.", - "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "경고 : 이 경로는 현재 존재하는 폴더 \"{{otherFolderLabel}}\" ({{otherFolder}})의 상위 폴더입니다.", - "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "경고 : 이 경로는 현재 존재하는 폴더 \"{{otherFolder}}\"의 하위 폴더입니다.", - "Warning, this path is a subdirectory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "경고 : 이 경로는 현재 존재하는 폴더 \"{{otherFolderLabel}}\" ({{otherFolder}})의 하위 폴더입니다.", - "Warning: If you are using an external watcher like {%syncthingInotify%}, you should make sure it is deactivated.": "경고 : {{syncthingInotify}}와 같은 외부 감시 도구를 사용하는 경우 비활성화되어 있는지 확인해야 합니다.", + "Warning, this path is a parent directory of an existing folder \"{%otherFolder%}\".": "경고 : 이 경로는 기존 \"{{otherFolder}}\" 폴더의 상위 폴더입니다.", + "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "경고 : 이 경로는 기존 \"{{otherFolderLabel}}\" ({{otherFolder}}) 폴더의 상위 폴더입니다.", + "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "경고 : 이 경로는 기존 \"{{otherFolder}}\" 폴더의 하위 폴더입니다.", + "Warning, this path is a subdirectory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "경고 : 이 경로는 기존 \"{{otherFolderLabel}}\" ({{otherFolder}}) 폴더의 하위 폴더입니다.", + "Warning: If you are using an external watcher like {%syncthingInotify%}, you should make sure it is deactivated.": "경고 : {{syncthingInotify}} 등 외부 감시 도구를 사용할 경우에는 이 설정을 반드시 비활성화해야 합니다.", "Watch for Changes": "변경 항목 감시", - "Watching for Changes": "변경 항목 감시 중", - "Watching for changes discovers most changes without periodic scanning.": "Watching for changes discovers most changes without periodic scanning.", - "When adding a new device, keep in mind that this device must be added on the other side too.": "새 기기를 추가할 시 추가한 기기 쪽에서도 이 기기를 추가해야 합니다.", - "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "새 폴더를 추가할 시 폴더 ID는 기기 간에 폴더를 묶을 때 사용됩니다. 대소문자를 구분하며 모든 기기에서 같은 ID를 사용해야 합니다.", + "Watching for Changes": "변경 항목 감시", + "Watching for changes discovers most changes without periodic scanning.": "변경 항목 감시는 주기적으로 탐색하지 않아도 대부분의 변경 항목을 탐지합니다.", + "When adding a new device, keep in mind that this device must be added on the other side too.": "새 기기를 추가할 때는 추가한 기기에서도 현재 기기를 추가해야 합니다.", + "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "새 폴더를 추가할 때 폴더 ID 번호는 기기 간에 폴더를 묶어줍니다. 대소문자가 구분되며 모든 기기에서 동일해야 합니다.", "Yes": "예", - "You can also select one of these nearby devices:": "주변 기기 중 하나를 선택할 수 있습니다:", - "You can change your choice at any time in the Settings dialog.": "설정창 에서 언제든지 원하시는 때에 설정을 변경하는 것이 가능합니다.", - "You can read more about the two release channels at the link below.": "이 두 개의 출시 채널에 대해 아래 링크에서 자세하게 읽어 보실 수 있습니다.", - "You have no ignored devices.": "무시된 기기가 없습니다.", - "You have no ignored folders.": "무시된 폴더가 없습니다.", - "You have unsaved changes. Do you really want to discard them?": "저장되지 않은 변경사항이 있습니다. 변경사항을 무시하시겠습니까?", + "Yesterday": "어제", + "You can also select one of these nearby devices:": "주변의 기기 중 하나를 선택할 수도 있습니다.", + "You can change your choice at any time in the Settings dialog.": "설정창에서 기존의 설정을 언제나 변경할 수 있습니다.", + "You can read more about the two release channels at the link below.": "두 가지의 출시 경로에 대해서는 아래의 링크를 참조하여 자세히 읽어보실 수 있습니다.", + "You have no ignored devices.": "무시한 기기가 없습니다.", + "You have no ignored folders.": "무시한 폴더가 없습니다.", + "You have unsaved changes. Do you really want to discard them?": "저장되지 않은 변경 사항이 있습니다. 변경 사항을 무시하시겠습니까?", "You must keep at least one version.": "최소 한 개의 버전은 유지해야 합니다.", - "You should never add or change anything locally in a \"{%receiveEncrypted%}\" folder.": "You should never add or change anything locally in a \"{{receiveEncrypted}}\" folder.", + "You should never add or change anything locally in a \"{%receiveEncrypted%}\" folder.": "\"{{receiveEncrypted}}\" 유형의 폴더는 현재 기기에서 아무것도 추가 또는 변경해서는 안 됩니다.", "days": "일", - "directories": "폴더", - "files": "파일", + "directories": "개의 폴더", + "files": "개의 파일", "full documentation": "전체 사용 설명서", - "items": "항목", + "items": "개의 항목", "seconds": "초", - "{%device%} wants to share folder \"{%folder%}\".": "{{device}} 에서 폴더 \\\"{{folder}}\\\" 를 공유하길 원합니다.", - "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} 에서 폴더 \"{{folderLabel}}\" ({{folder}})를 공유하길 원합니다.", - "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." + "theme-name-black": "검은색", + "theme-name-dark": "어두운 색", + "theme-name-default": "기본 색", + "theme-name-light": "밝은 색", + "{%device%} wants to share folder \"{%folder%}\".": "{{device}} 기기가 \"{{folder}}\" 폴더를 공유하길 원합니다.", + "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} 기기가 \"{{folderlabel}}\" ({{folder}}) 폴더를 공유하길 원합니다.", + "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} 기기에서 이 기기를 다시 소개할 수 있습니다." } \ No newline at end of file diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-lt.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-lt.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-lt.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-lt.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Pridėti aplanką", "Add Remote Device": "Pridėti nuotolinį įrenginį", "Add devices from the introducer to our device list, for mutually shared folders.": "Pridėti įrenginius iš supažindintojo į mūsų įrenginių sąrašą, siekiant abipusiškai bendrinti aplankus.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Pridėti naują aplanką?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Pilnas nuskaitymo iš naujo intervalas bus papildomai padidintas (60 kartų, t.y. nauja numatytoji 1 val. reikšmė). Taip pat vėliau, pasirinkę Ne, galite jį konfigūruoti rankiniu būdu kiekvienam atskiram aplankui.", "Address": "Adresas", @@ -18,20 +19,23 @@ "Advanced": "Išplėstiniai", "Advanced Configuration": "Išplėstinė konfigūracija", "All Data": "Visiems duomenims", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Siųsti anoniminę naudojimo ataskaitą?", "Allowed Networks": "Leidžiami tinklai", "Alphabetic": "Abėcėlės tvarka", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Išorinė komanda apdoroja versijų valdymą. Ji turi pašalinti failą iš bendrinamo aplanko. Jei kelyje į programą yra tarpų, jie turėtų būti imami į kabutes.", "Anonymous Usage Reporting": "Anoniminė naudojimo ataskaita", "Anonymous usage report format has changed. Would you like to move to the new format?": "Anoniminės naudojimo ataskaitos formatas pasikeitė. Ar norėtumėte pereiti prie naujojo formato?", + "Apply": "Apply", "Are you sure you want to continue?": "Ar tikrai norite tęsti?", - "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", + "Are you sure you want to override all remote changes?": "Ar tikrai norite nustelbti visus nuotolinius pakeitimus?", "Are you sure you want to permanently delete all these files?": "Ar tikrai norite visam laikui ištrinti visus šiuos failus?", "Are you sure you want to remove device {%name%}?": "Ar tikrai norite pašalinti įrenginį {{name}}?", "Are you sure you want to remove folder {%label%}?": "Ar tikrai norite pašalinti aplanką {{label}}?", "Are you sure you want to restore {%count%} files?": "Ar tikrai norite atkurti {{count}} failų(-us)?", - "Are you sure you want to revert all local changes?": "Are you sure you want to revert all local changes?", + "Are you sure you want to revert all local changes?": "Ar tikrai norite sugrąžinti visus vietinius pakeitimus?", "Are you sure you want to upgrade?": "Ar tikrai norite naujinti?", "Auto Accept": "Automatiškai priimti", "Automatic Crash Reporting": "Automatinės ataskaitos apie strigtis", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Autorių teisės © 2014-2019 šių bendraautorių:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Kuriami nepaisomi šablonai, perrašomas esamas failas, esantis {{path}}.", "Currently Shared With Devices": "Šiuo metu bendrinama su įrenginiais", + "Custom Range": "Custom Range", "Danger!": "Pavojus!", "Debugging Facilities": "Derinimo priemonės", "Default Configuration": "Numatytoji konfigūracija", @@ -126,6 +131,7 @@ "Error": "Klaida", "External File Versioning": "Išorinis versijų valdymas", "Failed Items": "Nepavykę siuntimai", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Nepavyko nustatyti, bandoma iš naujo", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Nesėkmė prisijungti prie IPv6 serverių yra tikėtina, jei nėra IPv6 ryšio.", @@ -168,6 +174,7 @@ "Ignore": "Nepaisyti", "Ignore Patterns": "Nepaisyti šablonų", "Ignore Permissions": "Nepaisyti failų prieigos leidimų", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Nepaisomi įrenginiai", "Ignored Folders": "Nepaisomi aplankai", "Ignored at": "Nepaisoma ties", @@ -179,6 +186,9 @@ "Keep Versions": "Saugojamų versijų kiekis", "LDAP": "LDAP", "Largest First": "Didžiausi pirmiau", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Paskutinis nuskaitymas", "Last seen": "Paskutinį kartą matytas", "Latest Change": "Paskutinis pakeitimas", @@ -224,7 +234,7 @@ "Out of Sync": "Išsisinchronizavę", "Out of Sync Items": "Nesutikrinta", "Outgoing Rate Limit (KiB/s)": "Išsiunčiamo srauto maksimalus greitis (KiB/s)", - "Override": "Override", + "Override": "Nustelbti", "Override Changes": "Perrašyti pakeitimus", "Path": "Kelias", "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "Kelias iki aplanko šiame kompiuteryje. Bus sukurtas, jei neegzistuoja. Tildės simbolis (~) gali būti naudojamas kaip trumpinys", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Pasirinkite aplankus kuriais norite dalintis su šiuo įrenginiu.", "Send & Receive": "Siųsti ir gauti", "Send Only": "Tik siųsti", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Nustatymai", "Share": "Dalintis", "Share Folder": "Dalintis aplanku", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Srauto maksimalus greitis privalo būti ne neigiamas skaičius (0: nėra apribojimo)", "The rescan interval must be a non-negative number of seconds.": "Nuskaitymo dažnis negali būti neigiamas skaičius.", "There are no devices to share this folder with.": "Nėra įrenginių su kuriais bendrinti šį aplanką.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "Failus bus automatiškai bandoma parsiųsti dar kartą kai išspręsite klaidas.", "This Device": "Šis įrenginys", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Tai gali suteikti programišiams lengvą prieigą skaityti ir keisti bet kokius failus jūsų kompiuteryje.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Tai yra stambus atnaujinimas.", "This setting controls the free space required on the home (i.e., index database) disk.": "Šis nustatymas valdo laisvą vietą, kuri yra reikalinga namų (duomenų bazės) diske.", "Time": "Laikas", "Time the item was last modified": "Laikas, kai elementas buvo paskutinį kartą modifikuotas", + "Today": "Šiandien", "Trash Can File Versioning": "Šiukšliadėžės versijų valdymas", + "Twitter": "„Twitter“", "Type": "Tipas", "UNIX Permissions": "UNIX leidimai", "Unavailable": "Neprieinama", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Pridėdami įrenginį, turėkite omeny, kad šis įrenginys taip pat turi būti pridėtas kitoje pusėje.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Kai įvedate naują aplanką neužmirškite, kad jis bus naudojamas visuose įrenginiuose. Svarbu visur įvesti visiškai tokį pat aplanko vardą neužmirštant apie didžiąsias ir mažąsias raides.", "Yes": "Taip", + "Yesterday": "Vakar", "You can also select one of these nearby devices:": "Jūs taip pat galite pasirinkti vieną iš šių šalia esančių įrenginių:", "You can change your choice at any time in the Settings dialog.": "Jūs bet kuriuo metu galite pakeisti savo pasirinkimą nustatymų dialoge.", "You can read more about the two release channels at the link below.": "Jūs galite perskaityti daugiau apie šiuos du laidos kanalus, pasinaudodami žemiau esančia nuoroda.", @@ -436,6 +452,10 @@ "full documentation": "pilna dokumentacija", "items": "įrašai", "seconds": "sek.", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} nori dalintis aplanku \"{{folder}}\"", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} nori dalintis aplanku \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-nb.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-nb.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-nb.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-nb.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Legg til mappe", "Add Remote Device": "Legg til ekstern enhet", "Add devices from the introducer to our device list, for mutually shared folders.": "Legg til enheter fra introdusøren til vår enhetsliste, for innbyrdes delte mapper.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Legg til ny mappe?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "I tillegg vil omskanningsintervallen bli økt (ganger 60. altså nytt forvalg på 1t). Du kan også sette den opp manuelt for hver mappe senere etter å ha valgt \"Nei\".", "Address": "Adresse", @@ -18,13 +19,16 @@ "Advanced": "Avansert", "Advanced Configuration": "Avanserte innstillinger", "All Data": "Alle data", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Tillat anonym innsamling av brukerdata?", "Allowed Networks": "Tillatte nettverk", "Alphabetic": "Alfabetisk", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "En ekstern kommando tar hånd om versjoneringen. Den må fjerne filen fra den delte mappen. Hvis stien til programmet inneholder mellomrom, må den siteres.", "Anonymous Usage Reporting": "Anonym innsamling av brukerdata", "Anonymous usage report format has changed. Would you like to move to the new format?": "Det anonyme bruksrapportformatet har endret seg. Ønsker du å gå over til det nye formatet?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Opphavrett © 2014-2019 for følgende bidragsytere:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Oppretter ignoreringsmønster, overskriver eksisterende fil i {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Fare!", "Debugging Facilities": "Feilrettingsverktøy", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Feilmelding", "External File Versioning": "Ekstern versjonskontroll", "Failed Items": "Elementsynkronisering som har mislyktes", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Klarte ikke å utføre oppsett, prøver igjen", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Å ikke klare å koble til IPv6-tjenere er forventet hvis det ikke er noen IPv6-tilknytning.", @@ -168,6 +174,7 @@ "Ignore": "Ignorer", "Ignore Patterns": "Utelatelsesmønster", "Ignore Permissions": "Ignorer rettigheter", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignorerte enheter", "Ignored Folders": "Utelatte mapper", "Ignored at": "Ignorert i", @@ -179,6 +186,9 @@ "Keep Versions": "Behold versjoner", "LDAP": "LDAP", "Largest First": "Største fil først", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Siste gjennomsøking", "Last seen": "Sist sett", "Latest Change": "Sist endret", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Velg hvilke mapper som skal deles med denne enheten.", "Send & Receive": "Sende og motta", "Send Only": "Bare send", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Innstillinger", "Share": "Del", "Share Folder": "Del mappe", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Hastighetsbegrensningen kan ikke være et negativt tall (0: ingen begrensing)", "The rescan interval must be a non-negative number of seconds.": "Antall sekund for intervallet kan ikke være negativt.", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "Disse hentes automatisk og vil synkroniseres når feilen er blitt utbedret.", "This Device": "Denne enheten", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Dette kan lett gi hackere tilgang til å lese og endre alle filer på datamaskinen din.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Dette er en storoppgradering", "This setting controls the free space required on the home (i.e., index database) disk.": "Denne innstillingen kontrollerer ledig diskplass krevd på hjemme- (f.eks. indekseringsdatabase-) disken.", "Time": "Klokkeslett", "Time the item was last modified": "Tidspunktet elementet sist ble endret", + "Today": "Today", "Trash Can File Versioning": "Papirkurv versjonskontroll", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX Permissions", "Unavailable": "Utilgjengelig", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Når du legger til en ny enhet, husk at enheten må legges til på andre siden også.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Når en ny mappe blir lagt til, husk at Mappe-ID blir brukt til å binde sammen mapper mellom enheter. Det er forskjell på store og små bokstaver, så IDene må være identiske på alle enhetene.", "Yes": "Ja", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Du kan også velge en av disse enhetene i nærheten:", "You can change your choice at any time in the Settings dialog.": "Du kan endre ditt valg når som helst i innstillingene.", "You can read more about the two release channels at the link below.": "Du kan lese mer om de to nye utgivelseskanalene i lenken nedenfor.", @@ -436,6 +452,10 @@ "full documentation": "all dokumentasjon", "items": "elementer", "seconds": "sekunder", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} ønsker å dele mappa \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} ønsker å dele mappa \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-nl.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-nl.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-nl.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-nl.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Map toevoegen", "Add Remote Device": "Extern apparaat toevoegen", "Add devices from the introducer to our device list, for mutually shared folders.": "Apparaten van het introductie-apparaat aan onze lijst met apparaten toevoegen, voor gemeenschappelijk gedeelde mappen.", + "Add ignore patterns": "Negeerpatronen toevoegen", "Add new folder?": "Nieuwe map toevoegen?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Het interval van volledige scan zal daarbij ook vergroot worden (maal 60, dit is een nieuwe standaardwaarde van 1 uur). U kunt het later voor elke map manueel configureren nadat u nee kiest.", "Address": "Adres", @@ -18,13 +19,16 @@ "Advanced": "Geavanceerd", "Advanced Configuration": "Geavanceerde configuratie", "All Data": "Alle gegevens", + "All Time": "Altijd", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Alle mappen die gedeeld worden met dit apparaat moeten beschermd worden met een wachtwoord zodat alle verzonden gegevens onleesbaar zijn zonder het opgegeven wachtwoord.", "Allow Anonymous Usage Reporting?": "Versturen van anonieme gebruikersstatistieken toestaan?", "Allowed Networks": "Toegestane netwerken", "Alphabetic": "Alfabetisch", + "Altered by ignoring deletes.": "Veranderd door het negeren van verwijderingen.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Een externe opdracht regelt het versiebeheer. Hij moet het bestand verwijderen uit de gedeelde map. Als het pad naar de toepassing spaties bevat, moet dit tussen aanhalingstekens geplaatst worden.", "Anonymous Usage Reporting": "Anonieme gebruikersstatistieken", "Anonymous usage report format has changed. Would you like to move to the new format?": "Het formaat voor anonieme gebruikersrapporten is gewijzigd. Wilt u naar het nieuwe formaat overschakelen?", + "Apply": "Apply", "Are you sure you want to continue?": "Weet u zeker dat u wilt doorgaan?", "Are you sure you want to override all remote changes?": "Weet u zeker dat u alle externe wijzigingen wilt overschrijven?", "Are you sure you want to permanently delete all these files?": "Weet u zeker dat u al deze bestanden permanent wilt verwijderen?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Auteursrecht © 2014-2019 voor de volgende bijdragers:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Negeerpatronen worden aangemaakt, bestaand bestand wordt overschreven op {{path}}.", "Currently Shared With Devices": "Momenteel gedeeld met apparaten", + "Custom Range": "Aangepast bereik", "Danger!": "Let op!", "Debugging Facilities": "Debugmogelijkheden", "Default Configuration": "Standaardconfiguratie", @@ -126,6 +131,7 @@ "Error": "Fout", "External File Versioning": "Extern versiebeheer", "Failed Items": "Mislukte items", + "Failed to load file versions.": "Laden van bestandsversies mislukt.", "Failed to load ignore patterns.": "Laden van negeerpatronen mislukt.", "Failed to setup, retrying": "Instellen mislukt, opnieuw proberen", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Als er geen IPv6-connectiviteit is worden problemen bij verbinden met IPv6-servers verwacht.", @@ -168,6 +174,7 @@ "Ignore": "Negeren", "Ignore Patterns": "Negeerpatronen", "Ignore Permissions": "Machtigingen negeren", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Negeerpatronen kunnen alleen worden toegevoegd nadat de map is aangemaakt. Indien aangevinkt, zal na het opslaan een invoerveld voor negeerpatronen worden getoond.", "Ignored Devices": "Genegeerde apparaten", "Ignored Folders": "Genegeerde mappen", "Ignored at": "Genegeerd op", @@ -179,6 +186,9 @@ "Keep Versions": "Versies behouden", "LDAP": "LDAP", "Largest First": "Grootste eerst", + "Last 30 Days": "Laatste 30 dagen", + "Last 7 Days": "Laatste 7 dagen", + "Last Month": "Laatste maand", "Last Scan": "Laatste scan", "Last seen": "Laatst gezien op", "Latest Change": "Laatste wijziging", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Selecteer de mappen om te delen met dit apparaat.", "Send & Receive": "Verzenden en ontvangen", "Send Only": "Alleen verzenden", + "Set Ignores on Added Folder": "Negeringen instellen op map \"toegevoegd\"", "Settings": "Instellingen", "Share": "Delen", "Share Folder": "Map delen", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "De snelheidsbegrenzing moet een positief getal zijn (0: geen begrenzing)", "The rescan interval must be a non-negative number of seconds.": "Het interval voor opnieuw scannen moet een positief aantal seconden zijn.", "There are no devices to share this folder with.": "Er zijn geen apparaten om deze map mee te delen.", + "There are no file versions to restore.": "Er zijn geen bestandsversies om te herstellen.", "There are no folders to share with this device.": "Er zijn geen mappen om te delen met dit apparaat.", "They are retried automatically and will be synced when the error is resolved.": "Ze worden automatisch opnieuw geprobeerd en zullen gesynchroniseerd worden wanneer de fout opgelost is.", "This Device": "Dit apparaat", + "This Month": "Deze maand", "This can easily give hackers access to read and change any files on your computer.": "Dit kan hackers eenvoudig toegang geven om bestanden op uw computer te lezen en te wijzigen.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Dit apparaat kan andere apparaten niet automatisch detecteren of zijn eigen adres aankondigen om door anderen gevonden te worden. Alleen apparaten met statisch geconfigureerde adressen kunnen verbinding maken.", "This is a major version upgrade.": "Dit is een grote versie-upgrade.", "This setting controls the free space required on the home (i.e., index database) disk.": "Deze instelling bepaalt de benodigde vrije ruimte op de home-schijf (d.w.z. de indexdatabase).", "Time": "Tijd", "Time the item was last modified": "Tijdstip waarop het item laatst gewijzigd is", + "Today": "Vandaag", "Trash Can File Versioning": "Prullenbak-versiebeheer", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX-machtigingen", "Unavailable": "Niet beschikbaar", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Houd er bij het toevoegen van een nieuw apparaat rekening mee dat dit apparaat ook aan de andere kant moet toegevoegd worden.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Houd er bij het toevoegen van een nieuwe map rekening mee dat de map-ID gebruikt wordt om mappen aan elkaar te koppelen tussen apparaten. Ze zijn hoofdlettergevoelig en moeten exact overeenkomen op alle apparaten.", "Yes": "Ja", + "Yesterday": "Gisteren", "You can also select one of these nearby devices:": "U kunt ook een van deze apparaten in de buurt selecteren:", "You can change your choice at any time in the Settings dialog.": "U kunt uw keuze op elk moment aanpassen in het instellingen-venster.", "You can read more about the two release channels at the link below.": "U kunt meer te weten komen over de twee release-kanalen via onderstaande link.", @@ -436,6 +452,10 @@ "full documentation": "volledige documentatie", "items": "items", "seconds": "seconden", + "theme-name-black": "Zwart", + "theme-name-dark": "Donker", + "theme-name-default": "Standaard", + "theme-name-light": "Licht", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} wil map \"{{folder}}\" delen.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} wil map \"{{folderlabel}}\" ({{folder}}) delen.", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} kan dit apparaat mogelijk opnieuw introduceren." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-pl.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-pl.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-pl.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-pl.json 2022-04-05 03:32:50.000000000 +0000 @@ -1,30 +1,34 @@ { - "A device with that ID is already added.": "Urządzenie o tym ID już istnieje.", - "A negative number of days doesn't make sense.": "Ujemna liczba dni nie ma sensu.", + "A device with that ID is already added.": "Urządzenie o tym numerze ID jest już dodane.", + "A negative number of days doesn't make sense.": "Ujemna wartość liczbowa dni nie ma sensu.", "A new major version may not be compatible with previous versions.": "Nowa duża wersja może nie być kompatybilna z poprzednimi wersjami.", "API Key": "Klucz API", - "About": "O Syncthing", - "Action": "Akcja", - "Actions": "Akcje", + "About": "Informacje", + "Action": "Działanie", + "Actions": "Działania", "Add": "Dodaj", "Add Device": "Dodaj urządzenie", "Add Folder": "Dodaj folder", "Add Remote Device": "Dodaj urządzenie zdalne", "Add devices from the introducer to our device list, for mutually shared folders.": "Dodaj urządzenia od wprowadzającego do własnej listy urządzeń dla folderów współdzielonych obustronnie.", + "Add ignore patterns": "Dodaj wzorce ignorowania", "Add new folder?": "Czy chcesz dodać nowy folder?", - "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Dodatkowo, czas przedziału pełnego ponownego skanowania zostanie zwiększony (o 60 razy, tj. do nowej domyślnej wartości \"1h\"). Możesz również ustawić go później ręcznie dla każdego folderu wybierając \"Nie\".", + "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Ponadto przedział czasowy pełnego ponownego skanowania zostanie zwiększony (o 60 razy, tj. do nowej domyślnej wartości 1h). Możesz również ustawić go później dla każdego folderu ręcznie po wybraniu Nie.", "Address": "Adres", "Addresses": "Adresy", "Advanced": "Zaawansowane", "Advanced Configuration": "Zaawansowane ustawienia", "All Data": "Wszystkie dane", - "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Wszystkie foldery współdzielone z tym urządzeniem muszą być zabezpieczone hasłem, tak aby wszystkie przesyłane dane były nie do odczytu bez podania danego hasła.", + "All Time": "Cały okres", + "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Wszystkie foldery współdzielone z tym urządzeniem muszą być zabezpieczone hasłem, tak aby całość przesyłanych danych była nie do odczytu bez podania danego hasła.", "Allow Anonymous Usage Reporting?": "Czy chcesz zezwolić na anonimowe statystyki użycia?", "Allowed Networks": "Dozwolone sieci", "Alphabetic": "Alfabetycznie", - "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Zewnętrzne polecenie odpowiedzialne jest za wersjonowanie. Musi ono usunąć plik ze współdzielonego folderu. Jeśli ścieżka do aplikacji zawiera spacje, powinna ona być zamknięta w cudzysłowie.", + "Altered by ignoring deletes.": "Zmieniono przez ignorowanie usuniętych", + "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Zewnętrzne polecenie odpowiedzialne jest za wersjonowanie. Musi ono usunąć plik ze współdzielonego folderu. Jeżeli ścieżka do aplikacji zawiera spacje, to powinna ona być zamknięta w cudzysłowie.", "Anonymous Usage Reporting": "Anonimowe statystyki użycia", "Anonymous usage report format has changed. Would you like to move to the new format?": "Format anonimowych statystyk użycia uległ zmianie. Czy chcesz przejść na nowy format?", + "Apply": "Zastosuj", "Are you sure you want to continue?": "Czy na pewno chcesz kontynuować?", "Are you sure you want to override all remote changes?": "Czy na pewno chcesz nadpisać wszystkie zmiany zdalne?", "Are you sure you want to permanently delete all these files?": "Czy na pewno chcesz nieodwracalnie usunąć wszystkie te pliki?", @@ -38,7 +42,7 @@ "Automatic upgrade now offers the choice between stable releases and release candidates.": "Automatycznie aktualizacje pozwalają teraz na wybór pomiędzy wydaniami stabilnymi oraz wydaniami kandydującymi.", "Automatic upgrades": "Automatyczne aktualizacje", "Automatic upgrades are always enabled for candidate releases.": "Automatyczne aktualizacje są zawsze włączone dla wydań kandydujących.", - "Automatically create or share folders that this device advertises at the default path.": "Automatycznie utwórz lub współdziel foldery wysyłane przez to urządzenie w domyślnej ścieżce.", + "Automatically create or share folders that this device advertises at the default path.": "Automatycznie współdziel lub utwórz w domyślnej ścieżce foldery anonsowane przez to urządzenie.", "Available debug logging facilities:": "Dostępne narzędzia logujące do debugowania:", "Be careful!": "Ostrożnie!", "Bugs": "Błędy", @@ -58,12 +62,13 @@ "Connection Error": "Błąd połączenia", "Connection Type": "Rodzaj połączenia", "Connections": "Połączenia", - "Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.": "Ciągłe obserwowanie zmian jest już dostępne w Syncthing. Będzie ono wykrywać zmiany na dysku i uruchamiać skanowanie tylko w zmodyfikowanych ścieżkach. Zalety tego są takie, że zmiany rozsyłane są znacznie szybciej oraz że wymagana jest mniejsza liczba pełnych skanowań.", + "Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.": "Ciągłe obserwowanie zmian jest już dostępne w programie Syncthing. Będzie ono wykrywać zmiany na dysku i uruchamiać skanowanie tylko w zmodyfikowanych ścieżkach. Zalety tego rozwiązania są takie, że zmiany rozsyłane są szybciej oraz że wymagane jest mniej pełnych skanowań.", "Copied from elsewhere": "Skopiowane z innego miejsca ", "Copied from original": "Skopiowane z oryginału", - "Copyright © 2014-2019 the following Contributors:": "Wszelkie prawa zastrzeżone © 2014-2019 dla współtwórców:", - "Creating ignore patterns, overwriting an existing file at {%path%}.": "Tworzenie wzorów ignorowania, nadpisze istniejący plik w {{path}}.", + "Copyright © 2014-2019 the following Contributors:": "Wszelkie prawa zastrzeżone © 2014-2019 dla następujących współtwórców:", + "Creating ignore patterns, overwriting an existing file at {%path%}.": "Tworzenie wzorców ignorowania; nadpisuje istniejący plik w ścieżce {{path}}.", "Currently Shared With Devices": "Obecnie współdzielony z urządzeniami", + "Custom Range": "Niestandardowy okres", "Danger!": "Niebezpieczeństwo!", "Debugging Facilities": "Narzędzia do debugowania", "Default Configuration": "Domyślne ustawienia", @@ -78,19 +83,19 @@ "Deselect devices to stop sharing this folder with.": "Odznacz urządzenia, z którymi chcesz przestać współdzielić ten folder.", "Deselect folders to stop sharing with this device.": "Odznacz foldery, które chcesz przestać współdzielić z tym urządzeniem.", "Device": "Urządzenie", - "Device \"{%name%}\" ({%device%} at {%address%}) wants to connect. Add new device?": "Urządzenie \"{{name}}\" {{device}} pod ({{address}}) chce się połączyć. Dodać nowe urządzenie?", - "Device ID": "ID urządzenia", + "Device \"{%name%}\" ({%device%} at {%address%}) wants to connect. Add new device?": "Urządzenie o nazwie \"{{name}}\" {{device}} pod adresem ({{address}}) chce się połączyć. Czy dodać nowe urządzenie?", + "Device ID": "Numer ID urządzenia", "Device Identification": "Identyfikator urządzenia", "Device Name": "Nazwa urządzenia", - "Device is untrusted, enter encryption password": "Urządzenie jest niezaufane. Wprowadź szyfrujące hasło.", + "Device is untrusted, enter encryption password": "Urządzenie jest niezaufane; wprowadź szyfrujące hasło", "Device rate limits": "Ograniczenia prędkości urządzenia", "Device that last modified the item": "Urządzenie, które jako ostatnie zmodyfikowało ten element", "Devices": "Urządzenia", "Disable Crash Reporting": "Wyłącz zgłaszanie awarii", "Disabled": "Wyłączone", - "Disabled periodic scanning and disabled watching for changes": "Wyłączone okresowe skanowanie i wyłączone obserwowanie zmian", - "Disabled periodic scanning and enabled watching for changes": "Wyłączone okresowe skanowanie i włączone obserwowanie zmian", - "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "Wyłączone okresowe skanowanie i nieudane ustawienie obserwowania zmian, ponawiam co minutę:", + "Disabled periodic scanning and disabled watching for changes": "Wyłączone okresowe skanowanie oraz wyłączone obserwowanie zmian", + "Disabled periodic scanning and enabled watching for changes": "Wyłączone okresowe skanowanie oraz włączone obserwowanie zmian", + "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "Wyłączone okresowe skanowanie oraz nieudane ustawienie obserwowania zmian; ponawiam co minutę:", "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Wyłącza porównywanie i synchronizację uprawnień plików. Przydatne w systemach, w których uprawnienia nie istnieją bądź są one niestandardowe (np. FAT, exFAT, Synology, Android).", "Discard": "Odrzuć", "Disconnected": "Rozłączony", @@ -113,61 +118,63 @@ "Edit Device Defaults": "Edytuj domyślne ustawienia urządzeń", "Edit Folder": "Edytuj folder", "Edit Folder Defaults": "Edytuj domyślne ustawienia folderów", - "Editing {%path%}.": "Edytowanie {{path}}.", + "Editing {%path%}.": "Edytowanie ścieżki {{path}}.", "Enable Crash Reporting": "Włącz zgłaszanie awarii", "Enable NAT traversal": "Włącz trawersowanie NAT", "Enable Relaying": "Włącz przekazywanie", "Enabled": "Włączone", - "Enter a non-negative number (e.g., \"2.35\") and select a unit. Percentages are as part of the total disk size.": "Wprowadź nieujemną liczbę (np. \"2.35\") oraz wybierz jednostkę. Procenty odnoszą się do rozmiaru całego dysku.", + "Enter a non-negative number (e.g., \"2.35\") and select a unit. Percentages are as part of the total disk size.": "Wprowadź nieujemną wartość liczbową (np. \"2.35\") oraz wybierz jednostkę. Procenty odnoszą się do rozmiaru całego dysku.", "Enter a non-privileged port number (1024 - 65535).": "Wprowadź nieuprzywilejowany numer portu (1024-65535).", - "Enter comma separated (\"tcp://ip:port\", \"tcp://host:port\") addresses or \"dynamic\" to perform automatic discovery of the address.": "Wprowadź adresy oddzielone przecinkiem (\"tcp://ip:port\", \"tcp://host:port\") lub \"dynamic\" w celu automatycznego odnajdywania adresu.", + "Enter comma separated (\"tcp://ip:port\", \"tcp://host:port\") addresses or \"dynamic\" to perform automatic discovery of the address.": "Wprowadź oddzielone przecinkiem adresy (\"tcp://ip:port\", \"tcp://host:port\") lub \"dynamic\" w celu automatycznego odnajdywania adresu.", "Enter ignore patterns, one per line.": "Wprowadź wzorce ignorowania, po jednym w każdej linii.", "Enter up to three octal digits.": "Wprowadź maksymalnie trzy cyfry ósemkowe.", "Error": "Błąd", "External File Versioning": "Zewnętrzne wersjonowanie plików", "Failed Items": "Elementy zakończone niepowodzeniem", + "Failed to load file versions.": "Nie udało się załadować wersji plików.", "Failed to load ignore patterns.": "Nie udało się załadować wzorców ignorowania.", - "Failed to setup, retrying": "Nie udało się ustawić, ponawiam", + "Failed to setup, retrying": "Nie udało się ustawić; ponawiam próbę", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Błąd połączenia do serwerów IPv6 może wystąpić, gdy w ogóle nie ma połączenia po IPv6.", "File Pull Order": "Kolejność pobierania plików", "File Versioning": "Wersjonowanie plików", "Files are moved to .stversions directory when replaced or deleted by Syncthing.": "Pliki zmienione lub usunięte przez Syncthing są przenoszone do katalogu .stversions.", "Files are moved to date stamped versions in a .stversions directory when replaced or deleted by Syncthing.": "Pliki zmienione lub usunięte przez Syncthing są datowane i przenoszone do katalogu .stversions.", "Files are protected from changes made on other devices, but changes made on this device will be sent to the rest of the cluster.": "Pliki są zabezpieczone przed zmianami dokonanymi na innych urządzeniach, ale zmiany dokonane na tym urządzeniu będą wysyłane do pozostałych urządzeń.", - "Files are synchronized from the cluster, but any changes made locally will not be sent to other devices.": "Pliki są synchronizowane z pozostałych urządzeń, ale jakiekolwiek zmiany dokonane lokalnie nie będą wysyłanie do innych urządzeń.", + "Files are synchronized from the cluster, but any changes made locally will not be sent to other devices.": "Pliki są synchronizowane z pozostałych urządzeń, ale wszelkie zmiany dokonane lokalnie nie będą wysyłanie do innych urządzeń.", "Filesystem Watcher Errors": "Błędy obserwatora plików", "Filter by date": "Filtruj według daty", "Filter by name": "Filtruj według nazwy", "Folder": "Folder", - "Folder ID": "ID folderu", + "Folder ID": "Numer ID folderu", "Folder Label": "Etykieta folderu", "Folder Path": "Ścieżka folderu", "Folder Type": "Rodzaj folderu", "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Rodzaj folderu \"{{receiveEncrypted}}\" może być ustawiony tylko przy dodawaniu nowego folderu.", "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "Rodzaj folderu \"{{receiveEncrypted}}\" nie może być zmieniony po dodaniu folderu. Musisz najpierw usunąć folder, skasować bądź też odszyfrować dane na dysku, a następnie dodać folder ponownie.", "Folders": "Foldery", - "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "Wystąpił błąd podczas rozpoczynania obserwowania zmian w następujących folderach. Akcja będzie ponawiana co minutę, więc błędy mogą niebawem zniknąć. Jeżeli nie uda pozbyć się błędów, spróbuj naprawić ukryty problem lub poproś o pomoc, jeżeli nie będziesz w stanie tego zrobić.", + "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "Wystąpił błąd podczas włączania obserwowania zmian w następujących folderach. Próba będzie ponawiana co minutę, więc te błędy mogą niebawem zniknąć. Jeżeli nie uda pozbyć się błędów, spróbuj naprawić odpowiedzialny za to problem lub poproś o pomoc, jeżeli nie będziesz sam w stanie tego zrobić.", "Full Rescan Interval (s)": "Przedział czasowy pełnego skanowania (s)", "GUI": "GUI", "GUI Authentication Password": "Hasło uwierzytelniające GUI", "GUI Authentication User": "Użytkownik uwierzytelniający GUI", - "GUI Authentication: Set User and Password": "Uwierzytelnianie GUI: ustaw użytkownika i hasło", + "GUI Authentication: Set User and Password": "Uwierzytelnianie GUI: ustaw nazwę użytkownika i hasło", "GUI Listen Address": "Adres nasłuchu GUI", "GUI Theme": "Motyw GUI", "General": "Ogólne", - "Generate": "Generuj", + "Generate": "Wygeneruj", "Global Discovery": "Odnajdywanie globalne", "Global Discovery Servers": "Serwery odnajdywania globalnego", "Global State": "Stan globalny", "Help": "Pomoc", "Home page": "Strona domowa", - "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "Niemniej jednak, obecne ustawienia wskazują, że możesz nie chcieć włączać tej funkcji. Automatyczne zgłaszanie awarii zostało wyłączone na tym urządzeniu.", + "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "Niemniej jednak, obecne ustawienia wskazują, że możesz nie chcieć włączać tej funkcji. Automatyczne zgłaszanie awarii zostało więc wyłączone na tym urządzeniu.", "Identification": "Identyfikator", "If untrusted, enter encryption password": "Jeżeli folder jest niezaufany, wprowadź szyfrujące hasło", - "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Jeżeli chcesz zakazać innym użytkownikom tego komputera dostępu do Syncthing, a przez niego do swoich plików, zastanów się nad włączeniem uwierzytelniania.", + "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Jeżeli chcesz zakazać innym użytkownikom tego komputera dostępu do programu Syncthing, a przez niego do swoich plików, zastanów się nad ustawieniem uwierzytelniania.", "Ignore": "Ignoruj", "Ignore Patterns": "Wzorce ignorowania", "Ignore Permissions": "Ignorowanie uprawnień", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Wzorce ignorowania można dodać dopiero po utworzeniu folderu. Jeżeli zaznaczysz to pole, to po zapisaniu zmian pojawi się nowe okienko, gdzie będziesz mógł wpisać wzorce ignorowania.", "Ignored Devices": "Ignorowane urządzenia", "Ignored Folders": "Ignorowane foldery", "Ignored at": "Ignorowane od", @@ -178,7 +185,10 @@ "Inversion of the given condition (i.e. do not exclude)": "Odwrotność danego warunku (np. nie wykluczaj)", "Keep Versions": "Zachowuj wersje", "LDAP": "LDAP", - "Largest First": "Największe na początku", + "Largest First": "Od największych", + "Last 30 Days": "Ostatnie 30 dni", + "Last 7 Days": "Ostatnie 7 dni", + "Last Month": "Ubiegły miesiąc", "Last Scan": "Ostatnie skanowanie", "Last seen": "Ostatnio widziany", "Latest Change": "Ostatnia zmiana", @@ -209,17 +219,17 @@ "Never": "Nigdy", "New Device": "Nowe urządzenie", "New Folder": "Nowy folder", - "Newest First": "Najnowsze na początku", + "Newest First": "Od najnowszych", "No": "Nie", "No File Versioning": "Bez wersjonowania plików", - "No files will be deleted as a result of this operation.": "Żadne pliki nie zostaną usunięte w wyniki tego działania.", + "No files will be deleted as a result of this operation.": "Żadne pliki nie zostaną usunięte w wyniku tego działania.", "No upgrades": "Brak aktualizacji", "Not shared": "Niewspółdzielony", "Notice": "Wskazówka", "OK": "OK", "Off": "Wyłączona", - "Oldest First": "Najstarsze na początku", - "Optional descriptive label for the folder. Can be different on each device.": "Opcjonalna opisowa etykieta dla folderu. Może być różna na każdym urządzeniu.", + "Oldest First": "Od najstarszych", + "Optional descriptive label for the folder. Can be different on each device.": "Opcjonalna opisowa etykieta dla folderu. Może być inna na każdym urządzeniu.", "Options": "Opcje", "Out of Sync": "Niezsynchronizowane", "Out of Sync Items": "Elementy niezsynchronizowane", @@ -235,17 +245,17 @@ "Paused": "Zatrzymany", "Paused (Unused)": "Zatrzymany (nieużywany)", "Pending changes": "Oczekujące zmiany", - "Periodic scanning at given interval and disabled watching for changes": "Okresowe skanowanie w podanym przedziale czasowym i wyłączone obserwowanie zmian", - "Periodic scanning at given interval and enabled watching for changes": "Okresowe skanowanie w podanym przedziale czasowym i włączone obserwowanie zmian", - "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "Okresowe skanowanie w podanym przedziale czasowym i nieudane ustawienie obserwowania zmian, ponawiam co minutę:", - "Permanently add it to the ignore list, suppressing further notifications.": "Dodaje na stałe od listy ignorowanych, wyciszając kolejne powiadomienia.", + "Periodic scanning at given interval and disabled watching for changes": "Okresowe skanowanie w podanym przedziale czasowym oraz wyłączone obserwowanie zmian", + "Periodic scanning at given interval and enabled watching for changes": "Okresowe skanowanie w podanym przedziale czasowym oraz włączone obserwowanie zmian", + "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "Okresowe skanowanie w podanym przedziale czasowym oraz nieudane ustawienie obserwowania zmian; ponawiam co minutę:", + "Permanently add it to the ignore list, suppressing further notifications.": "Dodaje na stałe od listy ignorowanych wyciszając kolejne powiadomienia.", "Permissions": "Uprawnienia", - "Please consult the release notes before performing a major upgrade.": "Zapoznaj się z informacjami o wersji przed przeprowadzeniem dużej aktualizacji.", - "Please set a GUI Authentication User and Password in the Settings dialog.": "Ustaw użytkownika i hasło do uwierzytelniania GUI w oknie Ustawień.", + "Please consult the release notes before performing a major upgrade.": "Prosimy zapoznać się z informacjami o wydaniu przed przeprowadzeniem dużej aktualizacji.", + "Please set a GUI Authentication User and Password in the Settings dialog.": "Ustaw nazwę użytkownika i hasło do uwierzytelniania GUI w oknie Ustawień.", "Please wait": "Proszę czekać", - "Prefix indicating that the file can be deleted if preventing directory removal": "Prefiks wskazujący, że plik może zostać usunięty, gdy blokuje on usunięcie katalogu", - "Prefix indicating that the pattern should be matched without case sensitivity": "Prefiks wskazujący, że wzorzec ma być wyszukiwany bez rozróżniania wielkości liter", - "Preparing to Sync": "Przygotowywanie do synchronizacji", + "Prefix indicating that the file can be deleted if preventing directory removal": "Przedrostek wskazujący, że plik może zostać usunięty, gdy blokuje on usunięcie katalogu", + "Prefix indicating that the pattern should be matched without case sensitivity": "Przedrostek wskazujący, że wzorzec ma być wyszukiwany bez rozróżniania wielkości liter", + "Preparing to Sync": "Przygotowanie do synchronizacji", "Preview": "Podgląd", "Preview Usage Report": "Podgląd statystyk użycia", "Quick guide to supported patterns": "Krótki przewodnik po obsługiwanych wzorcach", @@ -255,8 +265,8 @@ "Received data is already encrypted": "Odebrane dane są już zaszyfrowane", "Recent Changes": "Ostatnie zmiany", "Reduced by ignore patterns": "Ograniczono przez wzorce ignorowania", - "Release Notes": "Informacje o wersji", - "Release candidates contain the latest features and fixes. They are similar to the traditional bi-weekly Syncthing releases.": "Wydania kandydujące zawierają najnowsze funkcje oraz poprawki błędów. Są one podobne do tradycyjnych codwutygodniowych wydań Syncthing.", + "Release Notes": "Informacje o wydaniu", + "Release candidates contain the latest features and fixes. They are similar to the traditional bi-weekly Syncthing releases.": "Wydania kandydujące zawierają najnowsze funkcje oraz poprawki błędów. Są one podobne do tradycyjnych codwutygodniowych wydań programu Syncthing.", "Remote Devices": "Urządzenia zdalne", "Remote GUI": "Zdalne GUI", "Remove": "Usuń", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Zaznacz foldery, które chcesz współdzielić z tym urządzeniem.", "Send & Receive": "Wyślij i odbierz", "Send Only": "Tylko wyślij", + "Set Ignores on Added Folder": "Ustaw wzorce ignorowania dla dodanego folderu", "Settings": "Ustawienia", "Share": "Współdziel", "Share Folder": "Współdziel folder", @@ -297,25 +308,25 @@ "Shared Folders": "Współdzielone foldery", "Shared With": "Współdzielony z", "Sharing": "Współdzielenie", - "Show ID": "Pokaż ID", + "Show ID": "Pokaż numer ID", "Show QR": "Pokaż kod QR", "Show detailed discovery status": "Pokaż szczegółowy stan odnajdywania", "Show detailed listener status": "Pokaż szczegółowy stan nasłuchujących", - "Show diff with previous version": "Pokaż różnice z poprzednią wersją", - "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "Widoczna na liście urządzeń zamiast ID urządzenia. Zostanie wysłana do innych urządzeń jako opcjonalna nazwa domyślna.", - "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "Widoczna na liście urządzeń zamiast ID urządzenia. Zostanie zaktualizowana do nazwy wysłanej przez urządzenie, jeżeli pozostanie pusta.", + "Show diff with previous version": "Pokaż diff z poprzednią wersją", + "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "Widoczna na liście urządzeń zamiast numeru ID urządzenia. Będzie anonsowana do innych urządzeń jako opcjonalna nazwa domyślna.", + "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "Widoczna na liście urządzeń zamiast numeru ID urządzenia. Będzie zaktualizowana do nazwy anonsowanej przez urządzenie, jeżeli pozostanie pusta.", "Shutdown": "Wyłącz", "Shutdown Complete": "Wyłączanie ukończone", "Simple File Versioning": "Proste wersjonowanie plików", "Single level wildcard (matches within a directory only)": "Wieloznacznik jednopoziomowy (wyszukuje tylko wewnątrz katalogu)", "Size": "Rozmiar", - "Smallest First": "Najmniejsze na początku", - "Some discovery methods could not be established for finding other devices or announcing this device:": "Nie udało się ustawić niektórych metod odnajdywania w celu szukania innych urządzeń oraz ogłaszania tego urządzenia:", + "Smallest First": "Od najmniejszych", + "Some discovery methods could not be established for finding other devices or announcing this device:": "Nie udało się uruchomić niektórych metod odnajdywania w celu szukania innych urządzeń oraz ogłaszania tego urządzenia:", "Some items could not be restored:": "Niektórych elementów nie udało się przywrócić:", "Some listening addresses could not be enabled to accept connections:": "Nie udało się włączyć niektórych adresów nasłuchujących w celu przyjmowania połączeń:", "Source Code": "Kod źródłowy", "Stable releases and release candidates": "Wydania stabilne i wydania kandydujące", - "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "Wydania stabilne są opóźnione o ok. dwa tygodnie. W tym czasie są one testowane jako wydania kandydujące.", + "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "Wydania stabilne są opóźnione o około dwa tygodnie. W tym czasie są one testowane jako wydania kandydujące.", "Stable releases only": "Tylko wydania stabilne", "Staggered File Versioning": "Rozbudowane wersjonowanie plików", "Start Browser": "Uruchom przeglądarkę", @@ -339,16 +350,16 @@ "Take me back": "Powrót", "The GUI address is overridden by startup options. Changes here will not take effect while the override is in place.": "Adres GUI jest nadpisywany przez opcje uruchamiania. Zmiany dokonane tutaj nie będą obowiązywać, dopóki nadpisywanie jest w użyciu.", "The Syncthing Authors": "The Syncthing Authors", - "The Syncthing admin interface is configured to allow remote access without a password.": "Ustawienia interfejsu administracyjnego Syncthing zezwalają na zdalny dostęp bez hasła.", + "The Syncthing admin interface is configured to allow remote access without a password.": "Ustawienia interfejsu administracyjnego programu Syncthing zezwalają na zdalny dostęp bez hasła.", "The aggregated statistics are publicly available at the URL below.": "Zebrane statystyki są publicznie dostępne pod poniższym adresem.", "The cleanup interval cannot be blank.": "Przedział czasowy czyszczenia nie może być pusty.", "The configuration has been saved but not activated. Syncthing must restart to activate the new configuration.": "Ustawienia zostały zapisane, ale nie są jeszcze aktywne. Syncthing musi zostać uruchomiony ponownie, aby aktywować nowe ustawienia.", - "The device ID cannot be blank.": "ID urządzenia nie może być puste.", - "The device ID to enter here can be found in the \"Actions > Show ID\" dialog on the other device. Spaces and dashes are optional (ignored).": "ID urządzenia do wpisania tutaj można znaleźć w oknie \"Akcje > Pokaż ID\" na innym urządzeniu. Spacje i myślniki są opcjonalne (ignorowane).", + "The device ID cannot be blank.": "Numer ID urządzenia nie może być puste.", + "The device ID to enter here can be found in the \"Actions > Show ID\" dialog on the other device. Spaces and dashes are optional (ignored).": "Numer ID urządzenia do wpisania tutaj można znaleźć w oknie \"Działania > Pokaż numer ID\" na innym urządzeniu. Spacje i myślniki są opcjonalne (ignorowane).", "The encrypted usage report is sent daily. It is used to track common platforms, folder sizes and app versions. If the reported data set is changed you will be prompted with this dialog again.": "Zaszyfrowane statystyki użycia są wysyłane codziennie. Używane są one do śledzenia popularności systemów, rozmiarów folderów oraz wersji programu. Jeżeli wysyłane statystyki ulegną zmianie, zostaniesz poproszony o ponowne udzielenie zgody w tym oknie.", - "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "Wprowadzone ID urządzenia wygląda na niepoprawne. Musi ono zawierać 52 lub 56 znaków składających się z liter i cyfr. Spacje i myślniki są opcjonalne.", - "The folder ID cannot be blank.": "ID folderu nie może być puste.", - "The folder ID must be unique.": "ID folderu musi być unikatowe.", + "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "Wprowadzony numer ID urządzenia wygląda na niepoprawny. Musi ono zawierać 52 lub 56 znaków składających się z liter i cyfr. Spacje i myślniki są opcjonalne.", + "The folder ID cannot be blank.": "Numer ID folderu nie może być pusty.", + "The folder ID must be unique.": "Numer ID folderu musi być niepowtarzalny.", "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "Zawartość folderu na innych urządzeniach zostanie nadpisana tak, aby upodobnić się do tego urządzenia. Pliki nieobecne tutaj zostaną usunięte na innych urządzeniach.", "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "Zawartość folderu na tym urządzeniu zostanie nadpisana tak, aby upodobnić się do innych urządzeń. Pliki nowo dodane tutaj zostaną usunięte.", "The folder path cannot be blank.": "Ścieżka folderu nie może być pusta.", @@ -359,26 +370,30 @@ "The following unexpected items were found.": "Znaleziono następujące elementy nieoczekiwane.", "The interval must be a positive number of seconds.": "Przedział czasowy musi być dodatnią liczbą sekund.", "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "Przedział czasowy, w sekundach, w którym nastąpi czyszczenie katalogu wersjonowania. Ustaw na zero, aby wyłączyć czyszczenie okresowe.", - "The maximum age must be a number and cannot be blank.": "Maksymalny wiek musi być liczbą oraz nie może być pusty.", - "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "Maksymalny czas zachowania wersji (w dniach, ustaw na 0, aby zachować na zawsze).", + "The maximum age must be a number and cannot be blank.": "Maksymalny wiek musi być wartością liczbową oraz nie może być pusty.", + "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "Maksymalny czas zachowania wersji (w dniach; ustaw na 0, aby zachować na zawsze).", "The number of days must be a number and cannot be blank.": "Liczba dni musi być wartością liczbową oraz nie może być pusta.", "The number of days to keep files in the trash can. Zero means forever.": "Liczba dni, przez które pliki trzymane będą w koszu. Zero oznacza nieskończoność.", "The number of old versions to keep, per file.": "Liczba starszych wersji do zachowania, dla pojedynczego pliku.", "The number of versions must be a number and cannot be blank.": "Liczba wersji musi być wartością liczbową oraz nie może być pusta.", "The path cannot be blank.": "Ścieżka nie może być pusta.", - "The rate limit must be a non-negative number (0: no limit)": "Ograniczenie prędkości musi być nieujemną liczbą (0: brak ograniczeń)", + "The rate limit must be a non-negative number (0: no limit)": "Ograniczenie prędkości musi być nieujemną wartością liczbową (0: brak ograniczeń)", "The rescan interval must be a non-negative number of seconds.": "Przedział czasowy ponownego skanowania musi być nieujemną liczbą sekund.", - "There are no devices to share this folder with.": "Brak urządzeń, z którymi możesz współdzielić ten folder.", - "There are no folders to share with this device.": "Brak folderów, które możesz współdzielić z tym urządzeniem.", - "They are retried automatically and will be synced when the error is resolved.": "Ponowne próby zachodzą automatycznie. Synchronizacja nastąpi po usunięciu błędu.", + "There are no devices to share this folder with.": "Brak urządzeń, z którymi można współdzielić ten folder.", + "There are no file versions to restore.": "Brak wersji plików, które można przywrócić.", + "There are no folders to share with this device.": "Brak folderów, które można współdzielić z tym urządzeniem.", + "They are retried automatically and will be synced when the error is resolved.": "Ponowne próby zachodzą automatycznie, a synchronizacja nastąpi po usunięciu błędu.", "This Device": "To urządzenie", + "This Month": "Ten miesiąc", "This can easily give hackers access to read and change any files on your computer.": "Może to umożliwić hakerom dostęp do odczytu i zmian dowolnych plików na tym komputerze.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "To urządzenie nie jest w stanie automatycznie odnajdować innych urządzeń oraz ogłaszać swojego adresu, aby mogło ono zostać znalezione przez nie. Tylko urządzenia z adresem ustawionym statycznie są w stanie się połączyć.", "This is a major version upgrade.": "To jest duża aktualizacja.", "This setting controls the free space required on the home (i.e., index database) disk.": "To ustawienie kontroluje ilość wolnej przestrzeni na dysku domowym (np. do indeksowania bazy danych).", "Time": "Czas", "Time the item was last modified": "Czas ostatniej modyfikacji elementu", + "Today": "Dzisiaj", "Trash Can File Versioning": "Wersjonowanie plików w koszu", + "Twitter": "Twitter", "Type": "Rodzaj", "UNIX Permissions": "UNIX-owe uprawnienia", "Unavailable": "Niedostępne", @@ -386,7 +401,7 @@ "Undecided (will prompt)": "Jeszcze nie zdecydowałem (przypomnij później)", "Unexpected Items": "Elementy nieoczekiwane", "Unexpected items have been found in this folder.": "Znaleziono elementy nieoczekiwane w tym folderze.", - "Unignore": "Wyłącz ignorowanie", + "Unignore": "Przestań ignorować", "Unknown": "Nieznany", "Unshared": "Niewspółdzielony", "Unshared Devices": "Niewspółdzielone urządzenia", @@ -402,7 +417,7 @@ "Usage reporting is always enabled for candidate releases.": "Statystyki użycia są zawsze włączone dla wydań kandydujących.", "Use HTTPS for GUI": "Użyj HTTPS dla GUI", "Use notifications from the filesystem to detect changed items.": "Używaj powiadomień systemu plików do wykrywania zmienionych elementów.", - "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "Użytkownik i hasło do uwierzytelniania GUI nie zostały skonfigurowane. Zastanów się nad ich ustawieniem.", + "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "Nazwa użytkownika i hasło do uwierzytelniania GUI nie zostały skonfigurowane. Zastanów się nad ich ustawieniem.", "Version": "Wersja", "Versions": "Wersje", "Versions Path": "Ścieżka wersji", @@ -411,17 +426,18 @@ "Waiting to Scan": "Oczekiwanie na skanowanie", "Waiting to Sync": "Oczekiwanie na synchronizację", "Warning": "Uwaga", - "Warning, this path is a parent directory of an existing folder \"{%otherFolder%}\".": "Uwaga, ta ścieżka to nadkatalog istniejącego folderu \"{{otherFolder}}\".", - "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "Uwaga, ta ścieżka to nadkatalog istniejącego folderu \"{{otherFolderLabel}}\" ({{otherFolder}}).", - "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "Uwaga, ta ścieżka to podkatalog istniejącego folderu \"{{otherFolder}}\".", - "Warning, this path is a subdirectory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "Uwaga, ten folder to podkatalog istniejącego folderu \"{{otherFolderLabel}}\" ({{otherFolder}}).", - "Warning: If you are using an external watcher like {%syncthingInotify%}, you should make sure it is deactivated.": "Uwaga: Jeżeli korzystasz z zewnętrznego obserwatora, takiego jak {{syncthingInotify}}, upewnij się, że ta opcja jest wyłączona.", + "Warning, this path is a parent directory of an existing folder \"{%otherFolder%}\".": "Uwaga: ta ścieżka to nadkatalog istniejącego folderu \"{{otherFolder}}\".", + "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "Uwaga: ta ścieżka to nadkatalog istniejącego folderu \"{{otherFolderLabel}}\" ({{otherFolder}}).", + "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "Uwaga: ta ścieżka to podkatalog istniejącego folderu \"{{otherFolder}}\".", + "Warning, this path is a subdirectory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "Uwaga: ten folder to podkatalog istniejącego folderu \"{{otherFolderLabel}}\" ({{otherFolder}}).", + "Warning: If you are using an external watcher like {%syncthingInotify%}, you should make sure it is deactivated.": "Uwaga: jeżeli korzystasz z zewnętrznego obserwatora, takiego jak {{syncthingInotify}}, upewnij się, że ta opcja jest wyłączona.", "Watch for Changes": "Obserwuj zmiany", "Watching for Changes": "Obserwowanie zmian", "Watching for changes discovers most changes without periodic scanning.": "Obserwowanie wykrywa większość zmian bez potrzeby okresowego skanowania.", - "When adding a new device, keep in mind that this device must be added on the other side too.": "Gdy dodajesz nowe urządzenie pamiętaj, że to urządzenie musi zostać dodane także po drugiej stronie.", - "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Gdy dodajesz nowy folder pamiętaj, że ID folderu używane jest do łączenia folderów pomiędzy urządzeniami. Wielkość liter ma znaczenie i musi ono być identyczne na wszystkich urządzeniach.", + "When adding a new device, keep in mind that this device must be added on the other side too.": "Dodając nowe urządzenie pamiętaj, że musi ono zostać dodane także po drugiej stronie.", + "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Dodając nowy folder pamiętaj, że numer ID jest używany do parowania folderów pomiędzy urządzeniami. Wielkość liter ma znaczenie i musi on być identyczny na wszystkich urządzeniach.", "Yes": "Tak", + "Yesterday": "Wczoraj", "You can also select one of these nearby devices:": "Możesz również wybrać jedno z pobliskich urządzeń:", "You can change your choice at any time in the Settings dialog.": "Możesz zmienić swój wybór w dowolnej chwili w oknie Ustawień.", "You can read more about the two release channels at the link below.": "Możesz przeczytać więcej na temat obu kanałów wydawniczych pod poniższym odnośnikiem.", @@ -436,7 +452,11 @@ "full documentation": "pełna dokumentacja", "items": "elementy", "seconds": "sekundy", - "{%device%} wants to share folder \"{%folder%}\".": "{{device}} chce współdzielić folder \"{{folder}}\"", - "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} chce współdzielić folder \"{{folderlabel}}\" ({{folder}}).", - "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} może ponownie wprowadzić to urządzenie." + "theme-name-black": "Czarny", + "theme-name-dark": "Ciemny", + "theme-name-default": "Domyślny", + "theme-name-light": "Jasny", + "{%device%} wants to share folder \"{%folder%}\".": "Urządzenie {{device}} chce współdzielić folder \"{{folder}}\"", + "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "Urządzenie {{device}} chce współdzielić folder \"{{folderlabel}}\" ({{folder}}).", + "{%reintroducer%} might reintroduce this device.": "Urządzenie {{reintroducer}} może ponownie wprowadzić to urządzenie." } \ No newline at end of file diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-pt-BR.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-pt-BR.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-pt-BR.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-pt-BR.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Adicionar pasta", "Add Remote Device": "Adicionar dispositivo remoto", "Add devices from the introducer to our device list, for mutually shared folders.": "Adicionar dispositivos do introdutor à sua lista de dispositivos para pastas compartilhadas mutualmente.", + "Add ignore patterns": "Adicionar padrões de exclusão", "Add new folder?": "Adicionar nova pasta?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Além disso, o intervalo de nova verificação será aumentado (vezes 60, ou seja, novo padrão de 1h). Você também pode configurá-lo manualmente para cada pasta depois de escolher Não.", "Address": "Endereço", @@ -18,13 +19,16 @@ "Advanced": "Avançado", "Advanced Configuration": "Configuração avançada", "All Data": "Todos os dados", + "All Time": "Todo o tempo", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Todas as pastas compartilhadas com este dispositivo devem ser protegidas por uma senha, de forma que todos os dados enviados sejam ilegíveis sem a senha fornecida.", "Allow Anonymous Usage Reporting?": "Permitir envio de relatórios anônimos de uso?", "Allowed Networks": "Redes permitidas", "Alphabetic": "Alfabética", + "Altered by ignoring deletes.": "Alterado ignorando exclusões.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Um comando externo controla o controle de versão. Tem que remover o arquivo da pasta compartilhada. Se o caminho para o aplicativo contiver espaços, ele deve ser colocado entre aspas.", "Anonymous Usage Reporting": "Relatórios anônimos de uso", "Anonymous usage report format has changed. Would you like to move to the new format?": "O formato do relatório anônimo de uso mudou. Gostaria de usar o formato novo?", + "Apply": "Aplicar", "Are you sure you want to continue?": "Deseja realmente continuar?", "Are you sure you want to override all remote changes?": "Tem a certeza que quer sobrepor todas as alterações remotas?", "Are you sure you want to permanently delete all these files?": "Deseja realmente excluir todos estes arquivos permanentemente?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 dos Contribuintes:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Criando filtros, sobrescrevendo o arquivo {{path}}.", "Currently Shared With Devices": "Compartilhado com outros dispositivos", + "Custom Range": "Intervalo de tempo", "Danger!": "Perigo!", "Debugging Facilities": "Facilidades de depuração", "Default Configuration": "Configuração Padrão", @@ -126,6 +131,7 @@ "Error": "Erro", "External File Versioning": "Externo", "Failed Items": "Itens com falha", + "Failed to load file versions.": "Falha ao carregar versões do arquivo.", "Failed to load ignore patterns.": "Falha ao carregar os padrões para ignorar.", "Failed to setup, retrying": "Não foi possível configurar, tentando novamente", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Falhas na conexão a servidores IPv6 são esperadas caso não haja conectividade IPv6.", @@ -168,6 +174,7 @@ "Ignore": "Ignorar", "Ignore Patterns": "Filtros", "Ignore Permissions": "Ignorar permissões", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Padrões de exclusão só podem ser adicionados depois de criar a pasta. Se esta opção estiver marcada, depois de gravar será apresentado um campo para escrever os padrões de exclusão.", "Ignored Devices": "Dispositivos ignorados", "Ignored Folders": "Pastas ignoradas", "Ignored at": "Ignorada em", @@ -179,6 +186,9 @@ "Keep Versions": "Manter versões", "LDAP": "LDAP", "Largest First": "Maior primeiro", + "Last 30 Days": "Últimos 30 dias", + "Last 7 Days": "Últimos 7 dias", + "Last Month": "Último mês", "Last Scan": "Última verificação", "Last seen": "Visto por último em", "Latest Change": "Última mudança", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Selecione as pastas a serem compartilhadas com este dispositivo.", "Send & Receive": "Envia e recebe", "Send Only": "Somente envia", + "Set Ignores on Added Folder": "Definir padrões de exclusão na pasta adicionada", "Settings": "Configurações", "Share": "Compartilhar", "Share Folder": "Compartilhar pasta", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "O limite de velocidade deve ser um número positivo (0: sem limite)", "The rescan interval must be a non-negative number of seconds.": "O intervalo entre verificações deve ser um número positivo de segundos.", "There are no devices to share this folder with.": "Não há dispositivos com os quais compartilhar esta pasta.", + "There are no file versions to restore.": "Não há versões do arquivo para restaurar.", "There are no folders to share with this device.": "Não há pastas para compartilhar com este dispositivo.", "They are retried automatically and will be synced when the error is resolved.": "Serão tentadas automaticamente e sincronizadas após o erro ter sido resolvido.", "This Device": "Este dispositivo", + "This Month": "Este mês", "This can easily give hackers access to read and change any files on your computer.": "Isto pode dar a hackers poder de leitura e escrita de qualquer arquivo em seu dispositivo.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Este dispositivo não pode descobrir automaticamente outros dispositivos ou anunciar seu próprio endereço para ser encontrado por outros. Apenas dispositivos com endereços configurados estaticamente podem se conectar.", "This is a major version upgrade.": "Esta é uma atualização para uma versão \"major\".", "This setting controls the free space required on the home (i.e., index database) disk.": "Este ajuste controla o espaço livre necessário no disco que contém o banco de dados do Syncthing.", "Time": "Hora", "Time the item was last modified": "Momento em que o item foi modificado pela última vez", + "Today": "Hoje", "Trash Can File Versioning": "Lixeira", + "Twitter": "Twitter", "Type": "Tipo", "UNIX Permissions": "Permissões UNIX", "Unavailable": "Não disponível", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Quando estiver adicionando um dispositivo, lembre-se de que este dispositivo deve ser adicionado do outro lado também.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Quando adicionar uma nova pasta, lembre-se que o ID da pasta é utilizado para ligar pastas entre dispositivos. Ele é sensível às diferenças entre maiúsculas e minúsculas e deve ser o mesmo em todos os dispositivos.", "Yes": "Sim", + "Yesterday": "Ontem", "You can also select one of these nearby devices:": "Vocẽ também pode selecionar um destes dispositivos próximos:", "You can change your choice at any time in the Settings dialog.": "Você pode mudar de ideia a qualquer momento na tela de configurações.", "You can read more about the two release channels at the link below.": "Você pode se informar melhor sobre os dois canais de lançamento no link abaixo.", @@ -436,6 +452,10 @@ "full documentation": "documentação completa", "items": "itens", "seconds": "segundos", + "theme-name-black": "Preto", + "theme-name-dark": "Escuro", + "theme-name-default": "Padrão", + "theme-name-light": "Claro", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} quer compartilhar a pasta \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} quer compartilhar a pasta \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} pode reintroduzir este dispositivo." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-pt-PT.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-pt-PT.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-pt-PT.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-pt-PT.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Adicionar pasta", "Add Remote Device": "Adicionar dispositivo remoto", "Add devices from the introducer to our device list, for mutually shared folders.": "Adicione dispositivos do apresentador à nossa lista de dispositivos para ter pastas mutuamente partilhadas.", + "Add ignore patterns": "Adicionar padrões de exclusão", "Add new folder?": "Adicionar nova pasta?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Para além disso o intervalo entre verificações completas irá ser aumentado (vezes 60, ou seja, um novo valor predefinido de 1h). Também o pode configurar manualmente para cada pasta, posteriormente, depois de seleccionar Não.", "Address": "Endereço", @@ -18,13 +19,16 @@ "Advanced": "Avançadas", "Advanced Configuration": "Configuração avançada", "All Data": "Todos os dados", + "All Time": "O tempo todo", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Todas as pastas partilhadas com este dispositivo têm de ser protegidas com uma senha, por forma a que todos os dados enviados sejam ilegíveis sem a senha dada.", "Allow Anonymous Usage Reporting?": "Permitir envio de relatórios anónimos de utilização?", "Allowed Networks": "Redes permitidas", "Alphabetic": "Alfabética", + "Altered by ignoring deletes.": "Alterado por terem sido ignoradas as eliminações.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Um comando externo controla as versões. Esse comando tem que remover o ficheiro da pasta partilhada. Se o caminho para a aplicação contiver espaços, então terá de o escrever entre aspas.", "Anonymous Usage Reporting": "Enviar relatórios anónimos de utilização", "Anonymous usage report format has changed. Would you like to move to the new format?": "O formato do relatório anónimo de utilização foi alterado. Gostaria de mudar para o novo formato?", + "Apply": "Aplicar", "Are you sure you want to continue?": "Tem a certeza de que quer continuar?", "Are you sure you want to override all remote changes?": "Tem a certeza que quer sobrepor todas as alterações remotas?", "Are you sure you want to permanently delete all these files?": "Tem a certeza de que quer eliminar permanentemente todos estes ficheiros?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 dos seguintes contribuidores:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Criando padrões de exclusão, sobrescrevendo um ficheiro existente em {{path}}.", "Currently Shared With Devices": "Dispositivos com os quais está partilhada", + "Custom Range": "Intervalo personalizado", "Danger!": "Perigo!", "Debugging Facilities": "Recursos de depuração", "Default Configuration": "Configuração predefinida", @@ -126,6 +131,7 @@ "Error": "Erro", "External File Versioning": "Externa", "Failed Items": "Itens que falharam", + "Failed to load file versions.": "Falhou ao carregar as versões do ficheiro.", "Failed to load ignore patterns.": "Falhou o carregamento dos padrões de exclusão.", "Failed to setup, retrying": "A preparação falhou, tentando novamente", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "São esperadas falhas na ligação a servidores IPv6 se não existir conectividade IPv6.", @@ -168,6 +174,7 @@ "Ignore": "Ignorar", "Ignore Patterns": "Padrões de exclusão", "Ignore Permissions": "Ignorar permissões", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Padrões de exclusão só podem ser adicionados depois de criar a pasta. Se esta opção estiver marcada, depois de gravar será apresentado um campo para escrever os padrões de exclusão.", "Ignored Devices": "Dispositivos ignorados", "Ignored Folders": "Pastas ignoradas", "Ignored at": "Ignorado em", @@ -179,6 +186,9 @@ "Keep Versions": "Manter versões", "LDAP": "LDAP", "Largest First": "Primeiro os maiores", + "Last 30 Days": "Últimos 30 dias", + "Last 7 Days": "Últimos 7 dias", + "Last Month": "Último mês", "Last Scan": "Última verificação", "Last seen": "Última vez que foi verificado", "Latest Change": "Última alteração", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Seleccione as pastas a partilhar com este dispositivo.", "Send & Receive": "envia e recebe", "Send Only": "envia apenas", + "Set Ignores on Added Folder": "Definir padrões de exclusão na pasta adicionada", "Settings": "Configurações", "Share": "Partilhar", "Share Folder": "Partilhar pasta", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "O limite de velocidade tem que ser um número que não seja negativo (0: sem limite)", "The rescan interval must be a non-negative number of seconds.": "O intervalo entre verificações tem que ser um valor não negativo de segundos.", "There are no devices to share this folder with.": "Não existem quaisquer dispositivos com os quais se possa partilhar esta pasta.", + "There are no file versions to restore.": "Não existem versões do ficheiro para restaurar.", "There are no folders to share with this device.": "Não existem pastas para partilhar com este dispositivo.", "They are retried automatically and will be synced when the error is resolved.": "Será tentado automaticamente e os itens serão sincronizados assim que o erro seja resolvido.", "This Device": "Este dispositivo", + "This Month": "Este mês", "This can easily give hackers access to read and change any files on your computer.": "Isso facilmente dará acesso aos piratas informáticos para lerem e modificarem quaisquer ficheiros no seu computador.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Este dispositivo não pode descobrir automaticamente outros dispositivos ou anunciar o seu próprio endereço para que seja encontrado pelos outros. Apenas dispositivos com endereços configurados estaticamente podem estabelecer ligação.", "This is a major version upgrade.": "Esta é uma actualização para uma versão importante.", "This setting controls the free space required on the home (i.e., index database) disk.": "Este parâmetro controla o espaço livre necessário no disco base (ou seja, o disco da base de dados do índice).", "Time": "Quando", "Time the item was last modified": "Quando o item foi modificado pela última vez", + "Today": "Hoje", "Trash Can File Versioning": "Reciclagem", + "Twitter": "Twitter", "Type": "Tipo", "UNIX Permissions": "Permissões UNIX", "Unavailable": "Indisponível", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Quando adicionar um novo dispositivo, lembre-se que este dispositivo tem que ser adicionado do outro lado também.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Quando adicionar uma nova pasta, lembre-se que o ID da pasta é utilizado para ligar as pastas entre dispositivos. É sensível às diferenças entre maiúsculas e minúsculas e tem que ter uma correspondência perfeita entre todos os dispositivos.", "Yes": "Sim", + "Yesterday": "Ontem", "You can also select one of these nearby devices:": "Também pode seleccionar um destes dispositivos que estão próximos:", "You can change your choice at any time in the Settings dialog.": "Pode modificar a sua escolha em qualquer altura nas configurações.", "You can read more about the two release channels at the link below.": "Pode ler mais sobre os dois canais de lançamento na ligação abaixo.", @@ -436,6 +452,10 @@ "full documentation": "documentação completa", "items": "itens", "seconds": "segundos", + "theme-name-black": "Preto", + "theme-name-dark": "Escuro", + "theme-name-default": "Predefinido", + "theme-name-light": "Claro", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} quer partilhar a pasta \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} quer partilhar a pasta \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} poderá reintroduzir este dispositivo." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ro-RO.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ro-RO.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ro-RO.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ro-RO.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Adaugă Mapă", "Add Remote Device": "Adaugă dispozitiv la distanță", "Add devices from the introducer to our device list, for mutually shared folders.": "Adăugați dispozitive de la introductor la lista dispozitivelor noastre, pentru folderele partajate reciproc.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Adauga o mapă nouă?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "În plus, intervalul complet de rescanare va fi mărit (de 60 de ori, adică noul implict de 1 oră). Puteți, de asemenea, să o configurați manual pentru fiecare dosar mai târziu după alegerea nr.", "Address": "Adresă", @@ -18,13 +19,16 @@ "Advanced": "Avansat", "Advanced Configuration": "Configurari avansate", "All Data": "Toate Datele", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Toate folderele partajate cu acest dispozitiv trebuie protejate printr-o parolă, astfel încât toate datele trimise să nu poată fi citite fără parola dată.", "Allow Anonymous Usage Reporting?": "Permiteţi raportarea anonimă de folosire a aplicaţiei?", "Allowed Networks": "Rețele permise", "Alphabetic": "Alfabetic", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "O comandă externă gestionează versiunea. Trebuie să elimine fișierul din folderul partajat. Dacă calea către aplicație conține spații, ar trebui să fie pusă între ghilimele.", "Anonymous Usage Reporting": "Raport Anonim despre Folosirea Aplicației", "Anonymous usage report format has changed. Would you like to move to the new format?": "Formatul raportului de utilizare anonim s-a schimbat. Doriți să vă mutați în noul format?", + "Apply": "Apply", "Are you sure you want to continue?": "Ești sigur ca vrei sa continui?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Sigur doriți să ștergeți definitiv toate aceste fișiere?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 the following Contributors:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Creating ignore patterns, overwriting an existing file at {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Danger!", "Debugging Facilities": "Debugging Facilities", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Eroare", "External File Versioning": "Administrare externă a versiunilor documentului", "Failed Items": "Failed Items", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Failed to setup, retrying", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.", @@ -168,6 +174,7 @@ "Ignore": "Ignoră", "Ignore Patterns": "Reguli de excludere", "Ignore Permissions": "Ignoră Permisiuni", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignored Devices", "Ignored Folders": "Ignored Folders", "Ignored at": "Ignored at", @@ -179,6 +186,9 @@ "Keep Versions": "Păstrează Versiuni", "LDAP": "LDAP", "Largest First": "Largest First", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Last Scan", "Last seen": "Ultima vizionare", "Latest Change": "Latest Change", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Alege mapele pe care vrei sa le imparți cu acest dispozitiv.", "Send & Receive": "Send & Receive", "Send Only": "Send Only", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Setări", "Share": "Împarte", "Share Folder": "Împarte Mapa", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "The rate limit must be a non-negative number (0: no limit)", "The rescan interval must be a non-negative number of seconds.": "Intervalul de rescanare trebuie să nu fie un număr negativ de secunde. ", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "They are retried automatically and will be synced when the error is resolved.", "This Device": "This Device", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "This can easily give hackers access to read and change any files on your computer.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "This is a major version upgrade.", "This setting controls the free space required on the home (i.e., index database) disk.": "This setting controls the free space required on the home (i.e., index database) disk.", "Time": "Time", "Time the item was last modified": "Time the item was last modified", + "Today": "Today", "Trash Can File Versioning": "Trash Can File Versioning", + "Twitter": "Twitter", "Type": "Type", "UNIX Permissions": "UNIX Permissions", "Unavailable": "Unavailable", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Când adaugi un dispozitiv nou, trebuie să adaugi şi dispozitivul curent în dispozitivul nou.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Cînd adăugaţi un fişier nou, nu uitaţi că ID-ul fişierului va rămîne acelaşi pe toate dispozitivele. Iar literele mari sînt diferite de literele mici. ", "Yes": "Da", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "You can also select one of these nearby devices:", "You can change your choice at any time in the Settings dialog.": "You can change your choice at any time in the Settings dialog.", "You can read more about the two release channels at the link below.": "You can read more about the two release channels at the link below.", @@ -436,6 +452,10 @@ "full documentation": "toată documentaţia", "items": "obiecte", "seconds": "seconds", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{Dispozitivul}} vrea să transmită mapa {{Mapa}}", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} wants to share folder \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ru.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ru.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-ru.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-ru.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Добавить папку", "Add Remote Device": "Добавить удалённое устройство", "Add devices from the introducer to our device list, for mutually shared folders.": "Добавлять устройства, известные рекомендателю, в список устройств, если есть общие с ними папки.", + "Add ignore patterns": "Добавить шаблоны для игнорирования", "Add new folder?": "Добавить новую папку?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Также будет увеличен интервал полного сканирования (в 60 раз, т.е. новое значение - 1 час). Вы можете вручную настроить интервал для каждой папки, выбрав \"Нет\".", "Address": "Адрес", @@ -18,20 +19,23 @@ "Advanced": "Дополнительно", "Advanced Configuration": "Дополнительные настройки", "All Data": "Все данные", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Все папки, совместно используемые с этим устройством, должны быть защищены паролем, чтобы все отправленные данные были нечитаемы.", "Allow Anonymous Usage Reporting?": "Разрешить анонимный отчет об использовании?", "Allowed Networks": "Разрешённые сети", "Alphabetic": "По алфавиту", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Для версионирования используется внешняя программа. Ей нужно удалить файл из общей папки. Если путь к приложению содержит пробелы, его нужно взять в кавычки.", "Anonymous Usage Reporting": "Анонимный отчет об использовании", "Anonymous usage report format has changed. Would you like to move to the new format?": "Формат анонимных отчётов изменился. Хотите переключиться на новый формат?", + "Apply": "Apply", "Are you sure you want to continue?": "Уверены, что хотите продолжить?", - "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", + "Are you sure you want to override all remote changes?": "Уверены, что хотите перезаписать все удалённые изменения?", "Are you sure you want to permanently delete all these files?": "Уверены, что хотите навсегда удалить эти файлы?", "Are you sure you want to remove device {%name%}?": "Уверены, что хотите удалить устройство {{name}}?", "Are you sure you want to remove folder {%label%}?": "Уверены, что хотите удалить папку {{label}}?", "Are you sure you want to restore {%count%} files?": "Уверены, что хотите восстановить {{count}} файлов?", - "Are you sure you want to revert all local changes?": "Are you sure you want to revert all local changes?", + "Are you sure you want to revert all local changes?": "Уверены, что хотите отменить все локальные изменения?", "Are you sure you want to upgrade?": "Уверены, что хотите обновить?", "Auto Accept": "Автопринятие", "Automatic Crash Reporting": "Автоматическая отправка отчётов о сбоях", @@ -48,7 +52,7 @@ "Cleaning Versions": "Очистка Версий", "Cleanup Interval": "Интервал очистки", "Click to see discovery failures": "Щёлкните, чтобы посмотреть ошибки", - "Click to see full identification string and QR code.": "Click to see full identification string and QR code.", + "Click to see full identification string and QR code.": "Нажмите, чтобы увидеть полную строку идентификации и QR код.", "Close": "Закрыть", "Command": "Команда", "Comment, when used at the start of a line": "Комментарий, если используется в начале строки", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Авторские права © 2014-2019 принадлежат:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Создание шаблонов игнорирования, существующий файл {{path}} будет перезаписан.", "Currently Shared With Devices": "В настоящее время используется совместно с устройствами", + "Custom Range": "Custom Range", "Danger!": "Опасно!", "Debugging Facilities": "Средства отладки", "Default Configuration": "Настройки по умолчанию", @@ -98,9 +103,9 @@ "Discovered": "Обнаружено", "Discovery": "Обнаружение", "Discovery Failures": "Ошибки обнаружения", - "Discovery Status": "Discovery Status", + "Discovery Status": "Статус обнаружения", "Dismiss": "Отклонить", - "Do not add it to the ignore list, so this notification may recur.": "Do not add it to the ignore list, so this notification may recur.", + "Do not add it to the ignore list, so this notification may recur.": "Не добавлять в список игнорирования, это уведомление может повториться.", "Do not restore": "Не восстанавливать", "Do not restore all": "Не восстанавливать все", "Do you want to enable watching for changes for all your folders?": "Хотите включить слежение за изменениями для всех своих папок?", @@ -126,7 +131,8 @@ "Error": "Ошибка", "External File Versioning": "Внешний контроль версий файлов", "Failed Items": "Сбои", - "Failed to load ignore patterns.": "Failed to load ignore patterns.", + "Failed to load file versions.": "Не удалось загрузить другие версии файла", + "Failed to load ignore patterns.": "Не удалось загрузить шаблоны игнорирования.", "Failed to setup, retrying": "Не удалось настроить, пробуем ещё", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Если нет IPv6-соединений, при подключении к IPv6-серверам произойдёт ошибка.", "File Pull Order": "Порядок получения файлов", @@ -162,12 +168,13 @@ "Help": "Помощь", "Home page": "Сайт", "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "Ваши настройки указывают что вы не хотите, чтобы эта функция была включена. Мы отключили отправку отчетов о сбоях.", - "Identification": "Identification", + "Identification": "Идентификация", "If untrusted, enter encryption password": "Если ненадёжное, укажите пароль шифрования", "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Если вы хотите запретить другим пользователям на этом компьютере доступ к Syncthing и через него к вашим файлам, подумайте о настройке аутентификации.", "Ignore": "Игнорировать", "Ignore Patterns": "Шаблоны игнорирования", "Ignore Permissions": "Игнорировать файловые права доступа", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Шаблоны игнорирования могут быть добавлены только после создания папки. При включении поле для ввода шаблонов игнорирования появится после сохранения. ", "Ignored Devices": "Игнорируемые устройства", "Ignored Folders": "Игнорируемые папки", "Ignored at": "Добавлено", @@ -179,13 +186,16 @@ "Keep Versions": "Количество хранимых версий", "LDAP": "LDAP", "Largest First": "Сначала большие", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Последнее сканирование", "Last seen": "Был доступен", "Latest Change": "Последнее изменение", "Learn more": "Узнать больше", "Limit": "Ограничение", - "Listener Failures": "Listener Failures", - "Listener Status": "Listener Status", + "Listener Failures": "Ошибки прослушивателя", + "Listener Status": "Статус прослушивателя", "Listeners": "Прослушиватель", "Loading data...": "Загрузка данных...", "Loading...": "Загрузка...", @@ -224,7 +234,7 @@ "Out of Sync": "Нет синхронизации", "Out of Sync Items": "Несинхронизированные элементы", "Outgoing Rate Limit (KiB/s)": "Ограничение исходящей скорости (КиБ/с)", - "Override": "Override", + "Override": "Перезаписать", "Override Changes": "Перезаписать изменения", "Path": "Путь", "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "Путь к папке на локальном компьютере. Если её не существует, то она будет создана. Тильда (~) может использоваться как сокращение для", @@ -238,7 +248,7 @@ "Periodic scanning at given interval and disabled watching for changes": "Периодическое сканирование с заданным интервалом, отслеживание изменений отключено", "Periodic scanning at given interval and enabled watching for changes": "Периодическое сканирование с заданным интервалом и включено отслеживание изменений", "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "Периодическое сканирование с заданным интервалом, не удалось включить отслеживание изменений, повторная попытка каждую минуту.", - "Permanently add it to the ignore list, suppressing further notifications.": "Permanently add it to the ignore list, suppressing further notifications.", + "Permanently add it to the ignore list, suppressing further notifications.": "Добавление в список игнорирования навсегда с подавлением будущих уведомлений.", "Permissions": "Разрешения", "Please consult the release notes before performing a major upgrade.": "Перед проведением обновления основной версии ознакомьтесь, пожалуйста, с замечаниями к версии", "Please set a GUI Authentication User and Password in the Settings dialog.": "Установите имя пользователя и пароль для интерфейса в настройках", @@ -258,7 +268,7 @@ "Release Notes": "Примечания к выпуску", "Release candidates contain the latest features and fixes. They are similar to the traditional bi-weekly Syncthing releases.": "Кандидаты в релизы содержат последние улучшения и исправления. Они похожи на традиционные двухнедельные выпуски Syncthing.", "Remote Devices": "Удалённые устройства", - "Remote GUI": "Удаленный GUI", + "Remote GUI": "Удалённый GUI", "Remove": "Удалить", "Remove Device": "Удалить устройство", "Remove Folder": "Удалить папку", @@ -274,7 +284,7 @@ "Resume": "Возобновить", "Resume All": "Возобновить все", "Reused": "Повторно использовано", - "Revert": "Revert", + "Revert": "Обратить", "Revert Local Changes": "Отменить изменения на этом компьютере", "Save": "Сохранить", "Scan Time Remaining": "Оставшееся время сканирования", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Выберите папки, которые будут доступны этому устройству.", "Send & Receive": "Отправить и получить", "Send Only": "Только отправить", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Настройки", "Share": "Предоставить доступ", "Share Folder": "Предоставить доступ к папке", @@ -299,8 +310,8 @@ "Sharing": "Предоставление доступа", "Show ID": "Показать ID", "Show QR": "Показать QR-код", - "Show detailed discovery status": "Show detailed discovery status", - "Show detailed listener status": "Show detailed listener status", + "Show detailed discovery status": "Показать подробный статус обнаружения", + "Show detailed listener status": "Показать подробный статус прослушивателя", "Show diff with previous version": "Показать различия с предыдущей версией", "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "Отображается вместо ID устройства в статусе группы. Будет разослан другим устройствам в качестве имени по умолчанию.", "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "Отображается вместо ID устройства в статусе группы. Если поле не заполнено, то будет установлено имя, передаваемое этим устройством.", @@ -310,9 +321,9 @@ "Single level wildcard (matches within a directory only)": "Одноуровневая маска (поиск совпадений только внутри папки)", "Size": "Размер", "Smallest First": "Сначала маленькие", - "Some discovery methods could not be established for finding other devices or announcing this device:": "Some discovery methods could not be established for finding other devices or announcing this device:", + "Some discovery methods could not be established for finding other devices or announcing this device:": "Некоторые методы обнаружения не могут быть использованы для поиска других устройств или анонсирования этого устройства:", "Some items could not be restored:": "Не удалось восстановить некоторые объекты:", - "Some listening addresses could not be enabled to accept connections:": "Some listening addresses could not be enabled to accept connections:", + "Some listening addresses could not be enabled to accept connections:": "Некоторые адреса для прослушивания не могут быть активированы для приёма соединений:", "Source Code": "Исходный код", "Stable releases and release candidates": "Стабильные выпуски и кандидаты в релизы", "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "Стабильные выпуски выходят с задержкой около двух недель. За это время они проходят тестирование в качестве кандидатов в релизы.", @@ -329,8 +340,8 @@ "Syncthing has been shut down.": "Syncthing был выключен.", "Syncthing includes the following software or portions thereof:": "Syncthing включает в себя следующее ПО или его части:", "Syncthing is Free and Open Source Software licensed as MPL v2.0.": "Syncthing — свободное программное обеспечение с открытым кодом под лицензией MPL v2.0.", - "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing is listening on the following network addresses for connection attempts from other devices:", - "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.", + "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing ожидает подключения от других устройств на следующих сетевых адресах:", + "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing не ожидает попыток подключения ни на каких адресах. Только исходящие подключения могут работать на этом устройстве.", "Syncthing is restarting.": "Перезапуск Syncthing.", "Syncthing is upgrading.": "Обновление Syncthing.", "Syncthing now supports automatically reporting crashes to the developers. This feature is enabled by default.": "Syncthing теперь поддерживает автоматическую отправку отчетов о сбоях разработчикам. Эта функция включена по умолчанию.", @@ -355,7 +366,7 @@ "The following intervals are used: for the first hour a version is kept every 30 seconds, for the first day a version is kept every hour, for the first 30 days a version is kept every day, until the maximum age a version is kept every week.": "Используются следующие интервалы: в первый час версия меняется каждые 30 секунд, в первый день - каждый час, первые 30 дней - каждый день, после, до максимального срока - каждую неделю.", "The following items could not be synchronized.": "Невозможно синхронизировать следующие объекты", "The following items were changed locally.": "Следующие объекты были изменены локально", - "The following methods are used to discover other devices on the network and announce this device to be found by others:": "The following methods are used to discover other devices on the network and announce this device to be found by others:", + "The following methods are used to discover other devices on the network and announce this device to be found by others:": "Для обнаружения других устройств в сети и анонсирования этого устройства используются следующие методы:", "The following unexpected items were found.": "Были найдены следующие объекты.", "The interval must be a positive number of seconds.": "Интервал секунд должен быть положительным.", "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "Интервал в секундах для запуска очистки в каталоге версий. Ноль, чтобы отключить периодическую очистку.", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Скорость должна быть неотрицательным числом (0: нет ограничения)", "The rescan interval must be a non-negative number of seconds.": "Интервал пересканирования должен быть неотрицательным количеством секунд.", "There are no devices to share this folder with.": "Нет устройств, для которых будет доступна эта папка.", + "There are no file versions to restore.": "Нет версий файла для восстановления.", "There are no folders to share with this device.": "Нет папок, которыми можно поделиться с этим устройством.", "They are retried automatically and will be synced when the error is resolved.": "Будут синхронизированы автоматически когда ошибка будет исправлена.", "This Device": "Это устройство", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Это может дать доступ хакерам для чтения и изменения любых файлов на вашем компьютере.", - "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", + "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Это устройство не может автоматически обнаруживать другие устройства или анонсировать свой адрес для обнаружения извне. Только устройства со статически заданными адресами могут подключиться.", "This is a major version upgrade.": "Это обновление основной версии продукта.", "This setting controls the free space required on the home (i.e., index database) disk.": "Эта настройка управляет свободным местом, необходимым на домашнем диске (например, для базы индексов).", "Time": "Время", "Time the item was last modified": "Время последней модификации объекта", + "Today": "Today", "Trash Can File Versioning": "Использовать версионность для файлов в Корзине", + "Twitter": "Twitter", "Type": "Тип", "UNIX Permissions": "Разрешения UNIX", "Unavailable": "Недоступно", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Когда добавляете устройство, помните о том, что это же устройство должно быть добавлено и другой стороной.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Когда добавляете новую папку, помните, что ID папок используются для того, чтобы связывать папки между всеми устройствами. Они чувствительны к регистру и должны совпадать на всех используемых устройствах.", "Yes": "Да", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Вы можете выбрать из этих устройств рядом:", "You can change your choice at any time in the Settings dialog.": "Выбор можно изменить в любой момент в диалоге настроек.", "You can read more about the two release channels at the link below.": "О двух каналах выпусков можно почитать подробнее по нижеприведённой ссылке.", @@ -436,6 +452,10 @@ "full documentation": "полная документация", "items": "элементы", "seconds": "сек.", + "theme-name-black": "Чёрная", + "theme-name-dark": "Тёманя", + "theme-name-default": "По умолчанию", + "theme-name-light": "Светлая", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} хочет поделиться папкой «{{folder}}».", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} хочет поделиться папкой «{{folderlabel}}» ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} может повторно рекомендовать это устройство." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-sk.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-sk.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-sk.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-sk.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Pridať adresár", "Add Remote Device": "Pridať vzdialené zariadenie", "Add devices from the introducer to our device list, for mutually shared folders.": "Pre vzájomne zdieľané adresáre pridaj zariadenie od zavádzača do svojho zoznamu zariadení.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Pridať nový adresár?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Navyše, interval plného skenovania bude navýšený (60krát, t.j. nová výchozia hodnota 1h). Môžete to nastaviť aj manuálne pre každý adresár ak zvolíte Nie.", "Address": "Adresa", @@ -18,13 +19,16 @@ "Advanced": "Pokročilé", "Advanced Configuration": "Pokročilá konfigurácia", "All Data": "Všetky dáta", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Povoliť anoynmné hlásenia o použivaní?", "Allowed Networks": "Povolené siete", "Alphabetic": "Abecedne", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.", "Anonymous Usage Reporting": "Anonymné hlásenie o používaní", "Anonymous usage report format has changed. Would you like to move to the new format?": "Formát anonymného hlásenia o používaní sa zmenil. Chcete prejsť na nový formát?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Určite chcete vymazať všetky tieto súbory?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 nasledujúci prispievatelia:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Vytváranie vzorov ignorovania, prepísanie existujúceho súboru v {{path}}.", "Currently Shared With Devices": "Currently Shared With Devices", + "Custom Range": "Custom Range", "Danger!": "Pozor!", "Debugging Facilities": "Debugging Facilities", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Chyba", "External File Versioning": "Externé spracovanie verzií súborov", "Failed Items": "Zlyhané položky", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Nepodarilo sa nastaviť, opakujem.", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Zlyhanie pripojenia k IPv6 serverom je očakávané ak neexistujú žiadne IPv6 pripojenia.", @@ -168,6 +174,7 @@ "Ignore": "Ignorovať", "Ignore Patterns": "Ignorované vzory", "Ignore Permissions": "Ignorované práva", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ignorované zariadenia", "Ignored Folders": "Ingorované priečinky", "Ignored at": "Ignorované na", @@ -179,6 +186,9 @@ "Keep Versions": "Ponechanie verzií", "LDAP": "LDAP", "Largest First": "Najprv najväčšie", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Posledný sken", "Last seen": "Naposledy videný", "Latest Change": "Posledná zmena", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Vyberte adresáre ktoré chcete zdieľať s týmto zariadením.", "Send & Receive": "Prijímať a odosielať", "Send Only": "Iba odosielať", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Nastavenia", "Share": "Zdieľať", "Share Folder": "Zdieľať adresár", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Limit rýchlosti musí byť kladné číslo (0: bez limitu)", "The rescan interval must be a non-negative number of seconds.": "The rescan interval must be a non-negative number of seconds.", "There are no devices to share this folder with.": "There are no devices to share this folder with.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "They are retried automatically and will be synced when the error is resolved.", "This Device": "Toto zariadenie", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "This can easily give hackers access to read and change any files on your computer.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Toto je hlavná aktualizácia.", "This setting controls the free space required on the home (i.e., index database) disk.": "Toto nastavenie kontroluje voľné miesto požadované na domovskom disku (napr. indexová databáza).", "Time": "Čas", "Time the item was last modified": "Čas poslednej zmeny položky", + "Today": "Today", "Trash Can File Versioning": "Verzie súborov v koši", + "Twitter": "Twitter", "Type": "Typ", "UNIX Permissions": "UNIX Permissions", "Unavailable": "Nedostupné", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "When adding a new device, keep in mind that this device must be added on the other side too.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.", "Yes": "Áno", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Môžete tiež vybrať jedno z týchto blízkych zariadení:", "You can change your choice at any time in the Settings dialog.": "Voľbu môžete kedykoľvek zmeniť v dialógu Nastavenia.", "You can read more about the two release channels at the link below.": "O dvoch vydávacích kanáloch si môžete viacej prečítať v odkaze nižšie.", @@ -436,6 +452,10 @@ "full documentation": "úplná dokumntácia", "items": "položiek", "seconds": "sekúnd", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} chce zdieľať adresár \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} chce zdieľať adresár \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-sl.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-sl.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-sl.json 1970-01-01 00:00:00.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-sl.json 2022-04-05 03:32:50.000000000 +0000 @@ -0,0 +1,462 @@ +{ + "A device with that ID is already added.": "Naprava z istim ID-jem že obstaja.", + "A negative number of days doesn't make sense.": "Negativno število dni nima smisla.", + "A new major version may not be compatible with previous versions.": "Nova glavna različica morda ni združljiva s prejšnjimi različicami. ", + "API Key": "Ključ API", + "About": "O sistemu ...", + "Action": "Dejanje", + "Actions": "Dejanja", + "Add": "Dodaj", + "Add Device": "Dodaj napravo", + "Add Folder": "Dodaj mapo", + "Add Remote Device": "Dodaj oddaljeno napravo", + "Add devices from the introducer to our device list, for mutually shared folders.": "Dodajte naprave od uvajalca na naš seznam naprav, za vzajemno deljenje map.", + "Add ignore patterns": "Dodaj vzorce za ignoriranje", + "Add new folder?": "Dodaj novo mapo", + "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Poleg tega bo celoten interval ponovnega skeniranja se povečal (60 krat, torej nova privzeta vrednost 1 ure). Ti lahko tudi nastaviš si to ročno za vsako mapo pozneje, če ste prej izbrali Ne.", + "Address": "Naslov", + "Addresses": "Naslovi", + "Advanced": "Napredno", + "Advanced Configuration": "Napredna konfiguracija", + "All Data": "Vsi podatki", + "All Time": "Celi čas", + "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Vse deljene mape z to napravo morajo biti zaščitena z geslom, tako, da so vsi poslani podatki neberljivi, brez podanega gesla. ", + "Allow Anonymous Usage Reporting?": "Ali naj se dovoli brezimno poročanje o uporabi?", + "Allowed Networks": "Dovoljena omrežja", + "Alphabetic": "Po abecedi", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", + "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Zunanji ukaz upravlja z različicami. To mora odstraniti datoteko od deljene mape. Če pot do aplikacije vsebuje presledke, jo postavite v dvojne narekovaje.", + "Anonymous Usage Reporting": "Brezimno poročanje o uporabi", + "Anonymous usage report format has changed. Would you like to move to the new format?": "Format anonimnega poročanja uporabe se je spremenil. Ali želite se premakniti na novi format?", + "Apply": "Apply", + "Are you sure you want to continue?": "Ste prepričani, da želite nadaljevati?", + "Are you sure you want to override all remote changes?": "Ali ste prepričani, da želite preglasiti vse oddaljene spremembe?", + "Are you sure you want to permanently delete all these files?": "Ste prepričani, da želite trajno izbrisati datoteke?", + "Are you sure you want to remove device {%name%}?": "Ste prepričani, da želite odstraniti napravo {{name}}?", + "Are you sure you want to remove folder {%label%}?": "Ste prepričani, da želite odstraniti mapo {{label}}?", + "Are you sure you want to restore {%count%} files?": "Ste prepričani, da želite obnoviti {{count}} datotek?", + "Are you sure you want to revert all local changes?": "Ste prepričani, da želite povrniti vse lokalne spremembe?", + "Are you sure you want to upgrade?": "Ali ste prepričani, da želite nadgraditi?", + "Auto Accept": "Samodejno sprejmi", + "Automatic Crash Reporting": "Avtomatsko poročanje o sesutju", + "Automatic upgrade now offers the choice between stable releases and release candidates.": "Samodejna nadgradnja zdaj ponuja izbiro med stabilnimi izdajami in kandidati za izdajo.", + "Automatic upgrades": "Avtomatično posodabljanje", + "Automatic upgrades are always enabled for candidate releases.": "Samodejne nadgradnje so vedno omogočene za kandidatne izdaje.", + "Automatically create or share folders that this device advertises at the default path.": "Samodejno ustvarite ali delite mape, ki jih ta naprava oglašuje na privzeti poti.", + "Available debug logging facilities:": "Razpoložljive naprave za beleženje napak:", + "Be careful!": "Previdno!", + "Bugs": "Hrošči", + "Cancel": "Prekliči", + "Changelog": "Spremembe", + "Clean out after": "Počisti kasneje", + "Cleaning Versions": "Različice za očistiti", + "Cleanup Interval": "Interval čiščenja", + "Click to see discovery failures": "Pritisnite za ogled napak pri odkrivanju", + "Click to see full identification string and QR code.": "Pritisnite, če si želite ogledati celoten identifikacijski niz in QR kodo.", + "Close": "Zapri", + "Command": "Ukaz", + "Comment, when used at the start of a line": "Komentar uporabljen na začetku vrstice", + "Compression": "Stisnjeno", + "Configured": "Nastavljeno", + "Connected (Unused)": "Povezano (neuporabljeno)", + "Connection Error": "Napaka povezave", + "Connection Type": "Tip povezave", + "Connections": "Povezave", + "Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.": "Nenehno spremljanje sprememb je zdaj na voljo v Syncthing-u. To bo zaznalo spremembe na disku in izdalo skeniranje samo na spremenjenih poteh. Prednosti so, da se spremembe hitreje širijo in da je potrebnih manj popolnih pregledov.", + "Copied from elsewhere": "Prekopirano od drugod.", + "Copied from original": "Kopiranje z originala", + "Copyright © 2014-2019 the following Contributors:": "Avtorske pravice © 2014-2019 pripadajo naslednjim sodelavcem:", + "Creating ignore patterns, overwriting an existing file at {%path%}.": "Ustvarjanje prezrtih vzorcev, prepisovanje obstoječe datoteke na {{path}}.", + "Currently Shared With Devices": "Trenutno deljeno z napravami", + "Custom Range": "Obseg po meri", + "Danger!": "Nevarno!", + "Debugging Facilities": "Možnosti za odpravljanje napak", + "Default Configuration": "Privzeta konfiguracija", + "Default Device": "Privzeta naprava", + "Default Folder": "Privzeta mapa", + "Default Folder Path": "Privzeta pot do mape", + "Defaults": "Privzeti", + "Delete": "Izbriši", + "Delete Unexpected Items": "Izbrišite nepričakovane predmete", + "Deleted": "Izbrisana", + "Deselect All": "Prekliči vse", + "Deselect devices to stop sharing this folder with.": "Prekliči izbiro naprav, z katerimi ne želiš več deliti mape.", + "Deselect folders to stop sharing with this device.": "Prekliči mape, da se ne delijo več z to napravo.", + "Device": "Naprava", + "Device \"{%name%}\" ({%device%} at {%address%}) wants to connect. Add new device?": "Naprava \"{{name}}\" {{device}} na ({{address}}) želi vzpostaviti povezavo. Dodaj novo napravo?", + "Device ID": "ID Naprave", + "Device Identification": "Identifikacija naprave", + "Device Name": "Ime naprave", + "Device is untrusted, enter encryption password": "Naprava ni zaupljiva, vnesite geslo za šifriranje", + "Device rate limits": "Omejitve hitrosti naprave", + "Device that last modified the item": "Naprava, ki je nazadnje spremenila predmet", + "Devices": "Naprave", + "Disable Crash Reporting": "Onemogoči poročanje o zrušitvah", + "Disabled": "Onemogočeno", + "Disabled periodic scanning and disabled watching for changes": "Onemogočeno občasno skeniranje in onemogočeno spremljanje sprememb", + "Disabled periodic scanning and enabled watching for changes": "Onemogočeno občasno skeniranje in omogočeno spremljanje sprememb", + "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "Onemogočeno periodično skeniranje in neuspešna nastavitev opazovanja sprememb, ponovni poskus vsake 1 minute:", + "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Onemogoči primerjavo in sinhronizacijo dovoljenj za datoteke. Uporabno v sistemih z neobstoječimi dovoljenji ali dovoljenji po meri (npr. FAT, exFAT, Synology, Android).", + "Discard": "Zavrzi", + "Disconnected": "Brez povezave", + "Disconnected (Unused)": "Ni povezave (neuporabljeno)", + "Discovered": "Odkrito", + "Discovery": "Odkritje", + "Discovery Failures": "Napake odkritja", + "Discovery Status": "Stanje odkritja", + "Dismiss": "Opusti", + "Do not add it to the ignore list, so this notification may recur.": "Ne dodajte to na seznam prezrtih, tako, da se obvestilo lahko ponovi.", + "Do not restore": "Ne obnovi", + "Do not restore all": "Ne obnovi vse", + "Do you want to enable watching for changes for all your folders?": "Ali želite omogočiti spremljanje sprememb za vse svoje mape?", + "Documentation": "Dokumentacija", + "Download Rate": "Hitrost prejemanja", + "Downloaded": "Prenešeno", + "Downloading": "Prenašanje", + "Edit": "Uredi", + "Edit Device": "Uredi napravo", + "Edit Device Defaults": "Uredi privzete nastavitve naprave", + "Edit Folder": "Uredi mapo", + "Edit Folder Defaults": "Uredi privzete nastavitve mape", + "Editing {%path%}.": "Ureja se {{path}}.", + "Enable Crash Reporting": "Omogoči poročanje o zrušitvah", + "Enable NAT traversal": "Omogoči NAT prehod", + "Enable Relaying": "Omogoči posredovanje", + "Enabled": "Omogočeno", + "Enter a non-negative number (e.g., \"2.35\") and select a unit. Percentages are as part of the total disk size.": "Vnesite število, katera ni negativno (npr. \"2,35\") in izberite enoto. Odstotki so del celotne velikosti diska.", + "Enter a non-privileged port number (1024 - 65535).": "Vnesite neprivilegirano številko omrežnih vrat (1024 - 65535).", + "Enter comma separated (\"tcp://ip:port\", \"tcp://host:port\") addresses or \"dynamic\" to perform automatic discovery of the address.": "Vnesi z vejico ločene naslove (\"tcp://ip:port\", \"tcp://host:port\") ali \"dynamic\" za samodejno odkrivanje naslova.", + "Enter ignore patterns, one per line.": "Vnesite spregledni vzorec, enega v vrsto", + "Enter up to three octal digits.": "Vnesite do tri osmiške števke.", + "Error": "Napaka", + "External File Versioning": "Zunanje beleženje različic datotek", + "Failed Items": "Neuspeli predmeti", + "Failed to load file versions.": "Failed to load file versions.", + "Failed to load ignore patterns.": "Prezrih vzorcev ni bilo mogoče naložiti.", + "Failed to setup, retrying": "Nastavitev ni uspela, ponovni poskus", + "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Neuspeh povezav z IPv6 strežniki je pričakovan, če ni IPv6 povezljivost.", + "File Pull Order": "Vrstni red prenosa datotek", + "File Versioning": "Beleženje različic datotek", + "Files are moved to .stversions directory when replaced or deleted by Syncthing.": "Datoteke so premaknjene v .stversions mapo ob brisanju ali zamenjavi s strani programa Syncthing.", + "Files are moved to date stamped versions in a .stversions directory when replaced or deleted by Syncthing.": "Datoteke se premaknejo v datumsko označene različice v mapi .stversions, ko jih zamenja ali izbriše Syncthing.", + "Files are protected from changes made on other devices, but changes made on this device will be sent to the rest of the cluster.": "Datoteke so zaščitene pred spremembami z drugih naprav, ampak spremembe narejene na tej napravi bodo poslane na ostale naprave.", + "Files are synchronized from the cluster, but any changes made locally will not be sent to other devices.": "Datoteke se sinhronizirajo iz gruče, vendar vse spremembe, narejene lokalno, ne bodo poslane drugim napravam.", + "Filesystem Watcher Errors": "Napake opazovalca datotečnega sistema", + "Filter by date": "Filtriraj po datumu", + "Filter by name": "Filtriraj po imenu", + "Folder": "Mapa", + "Folder ID": "ID Mape", + "Folder Label": "Oznaka mape", + "Folder Path": "Pot do mape", + "Folder Type": "Vrsta mape", + "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Vrsta mape »{{receiveEncrypted}}« je mogoče nastaviti samo ob dodajanju nove mape.", + "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "Vrste mape »{{receiveEncrypted}}« po dodajanju mape ni mogoče spremeniti. Odstraniti morate mapo, izbrisati ali dešifrirati podatke na disku in ponovno dodati mapo.", + "Folders": "Mape", + "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "Za naslednje mape je prišlo do napake, ko so se začele spremljati spremembe. Se bo ponovno poskusilo vsako minuto, tako da lahko napake kmalu izginejo. Če vztrajajo, poskusite odpraviti osnovno težavo in prosite za pomoč, če ne morete.", + "Full Rescan Interval (s)": "Polni interval osveževanja (v sekundah)", + "GUI": "Vmesnik", + "GUI Authentication Password": "Geslo overjanja vmesnika", + "GUI Authentication User": "Uporabniško ime overjanja vmesnika", + "GUI Authentication: Set User and Password": "Overjanje za grafični vmesnik: Nastavi uporabnika in geslo", + "GUI Listen Address": "Naslov grafičnega vmesnika", + "GUI Theme": "Slog grafičnega vmesnika", + "General": "Splošno", + "Generate": "Ustvari", + "Global Discovery": "Splošno odkrivanje", + "Global Discovery Servers": "Strežniki splošnega odkrivanja", + "Global State": "Stanje odkrivanja", + "Help": "Pomoč", + "Home page": "Domača stran", + "However, your current settings indicate you might not want it enabled. We have disabled automatic crash reporting for you.": "Vendar pa vaše trenutne nastavitve kažejo, da morda ne želite to omogočiti. Za vas smo onemogočili samodejno poročanje o zrušitvah.", + "Identification": "Identifikacija", + "If untrusted, enter encryption password": "Če ni zaupanja vreden, vnesite geslo za šifriranje", + "If you want to prevent other users on this computer from accessing Syncthing and through it your files, consider setting up authentication.": "Če želite drugim uporabnikom v tem računalniku preprečiti dostop do Syncthinga in prek njega do vaših datotek, razmislite o nastavitvi preverjanja pristnosti.", + "Ignore": "Prezri", + "Ignore Patterns": "Vzorec preziranja", + "Ignore Permissions": "Prezri dovoljenja", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Vzorci za ignoriranje se lahko edino dodajo po tem, ko se ustvari mapi. Če je odkljukano, se predstavi vhodno polje za vnos njega.", + "Ignored Devices": "Prezrte naprave", + "Ignored Folders": "Prezrte mape", + "Ignored at": "Prezrt pri", + "Incoming Rate Limit (KiB/s)": "Omejitev nalaganja (KiB/s)", + "Incorrect configuration may damage your folder contents and render Syncthing inoperable.": "Nepravilna konfiguracija lahko poškodujejo vsebino vaše mape in povzroči, da Syncthing postane neoperativen.", + "Introduced By": "Predstavil", + "Introducer": "Uvajalec", + "Inversion of the given condition (i.e. do not exclude)": "Inverzija podanega pogoja (primer. ne vključi)", + "Keep Versions": "Ohrani različice", + "LDAP": "LDAP", + "Largest First": "najprej največja", + "Last 30 Days": "Zadnjih 30 dni", + "Last 7 Days": "Zadnjih 7 dni", + "Last Month": "Zadnji mesec", + "Last Scan": "Zadnje skeniranje", + "Last seen": "Zadnjič videno", + "Latest Change": "Najnovejša sprememba", + "Learn more": "Nauči se več", + "Limit": "Omejitev", + "Listener Failures": "Napake vmesnika", + "Listener Status": "Stanje vmesnika", + "Listeners": "Poslušalci", + "Loading data...": "Nalaganje podatkov...", + "Loading...": "Nalaganje...", + "Local Additions": "Lokalni dodatki", + "Local Discovery": "Krajevno odkrivanje", + "Local State": "Krajevno stanje", + "Local State (Total)": "Krajevno stanje (vsota)", + "Locally Changed Items": "Lokalno spremenjeni predmeti", + "Log": "Dnevnik", + "Log tailing paused. Scroll to the bottom to continue.": "Odvajanje dnevnika je zaustavljeno. Za nadaljevanje se pomaknite do dna.", + "Logs": "Dnevniki", + "Major Upgrade": "Večja nadgradnja", + "Mass actions": "Množične akcije", + "Maximum Age": "Največja starost", + "Metadata Only": "Samo metapodatki ", + "Minimum Free Disk Space": "Minimalen nezaseden prostor na disku", + "Mod. Device": "Spremenjeno od naprave", + "Mod. Time": "Čas spremembe", + "Move to top of queue": "Premakni na vrh čakalne vrste", + "Multi level wildcard (matches multiple directory levels)": "Več ravni map (sklada se z več ravni map in podmap)", + "Never": "Nikoli", + "New Device": "Nova Naprava", + "New Folder": "Nova Mapa", + "Newest First": "najprej najnovejši", + "No": "Ne", + "No File Versioning": "Brez beleženja različic datotek", + "No files will be deleted as a result of this operation.": "Nobene datoteke se ne bodo izbrisale kot rezultat od te operacije.", + "No upgrades": "Nobene posodobitve", + "Not shared": "Ni deljeno", + "Notice": "Obvestilo", + "OK": "V redu", + "Off": "Brez", + "Oldest First": "Najprej najstarejši", + "Optional descriptive label for the folder. Can be different on each device.": "Izbirna opisna oznaka za mapo. Na vsaki napravi je lahko drugačna.", + "Options": "Možnosti", + "Out of Sync": "Neusklajeno", + "Out of Sync Items": "Predmeti izven sinhronizacije", + "Outgoing Rate Limit (KiB/s)": "Omejitev prenašanja (KiB/s)", + "Override": "Preglasi", + "Override Changes": "Prepiši spremembe", + "Path": "Pot", + "Path to the folder on the local computer. Will be created if it does not exist. The tilde character (~) can be used as a shortcut for": "Pot do mape v lokalnem računalniku. Ustvarjeno bo, če ne obstaja. Znak tilde (~) lahko uporabite kot bližnjico za", + "Path where new auto accepted folders will be created, as well as the default suggested path when adding new folders via the UI. Tilde character (~) expands to {%tilde%}.": "Pot, kjer bodo ustvarjene nove samodejno sprejete mape, kot tudi privzeta predlagana pot pri dodajanju novih map prek uporabniškega vmesnika. Znak tilde (~) se razširi na {{tilde}}.", + "Path where versions should be stored (leave empty for the default .stversions directory in the shared folder).": "Pot, kjer naj bodo shranjene različice (pustite prazno za privzeto mapo .stversions v mapi skupne rabe).", + "Pause": "Premor", + "Pause All": "Začasno ustavi vse", + "Paused": "V premoru", + "Paused (Unused)": "Zaustavljeno (neuporabljeno)", + "Pending changes": "Čakajoče spremembe", + "Periodic scanning at given interval and disabled watching for changes": "Občasno skeniranje v določenem intervalu in onemogočeno spremljanje sprememb", + "Periodic scanning at given interval and enabled watching for changes": "Periodično skeniranje v določenem intervalu in omogočeno spremljanje sprememb", + "Periodic scanning at given interval and failed setting up watching for changes, retrying every 1m:": "Periodično skeniranje v določenem intervalu in neuspešna nastavitev spremljanje sprememb, ponovni poskus vsake 1 minute:", + "Permanently add it to the ignore list, suppressing further notifications.": "Trajno ga dodajte na seznam prezrtih, tako da preprečite nadaljnja obvestila.", + "Permissions": "Dovoljenja", + "Please consult the release notes before performing a major upgrade.": "Prosimo, da preverite opombe ob izdaji, preden izvedete nadgradnjo na glavno različico.", + "Please set a GUI Authentication User and Password in the Settings dialog.": "Prosimo, nastavite uporabnika in geslo za preverjanje pristnosti grafičnega vmesnika v pozivnem oknu Nastavitve.", + "Please wait": "Počakajte ...", + "Prefix indicating that the file can be deleted if preventing directory removal": "Predpona, ki označuje, da je datoteko mogoče izbrisati, če preprečuje odstranitev imenika", + "Prefix indicating that the pattern should be matched without case sensitivity": "Predpona, ki označuje, da je treba vzorec ujemati brez občutljivosti velikih in malih črk", + "Preparing to Sync": "Priprava na sinhronizacijo", + "Preview": "Predogled", + "Preview Usage Report": "Predogled poročila uporabe", + "Quick guide to supported patterns": "Hitri vodnik za podprte vzorce", + "Random": "Naključno", + "Receive Encrypted": "Prejmi šifrirano", + "Receive Only": "Samo prejemanje", + "Received data is already encrypted": "Prejeti podatki so že šifrirani", + "Recent Changes": "Nedavne spremembe", + "Reduced by ignore patterns": "Zmanjšano z ignoriranjem vzorcev", + "Release Notes": "Opombe ob izdaji", + "Release candidates contain the latest features and fixes. They are similar to the traditional bi-weekly Syncthing releases.": "Kandidati za izdajo vsebujejo najnovejše funkcije in popravke. Podobne so tradicionalnim dvotedenskim izdajam Syncthing.", + "Remote Devices": "Oddaljene naprave", + "Remote GUI": "Oddaljeni grafični vmesnik", + "Remove": "Odstrani", + "Remove Device": "Odstranite napravo", + "Remove Folder": "Odstranite mapo", + "Required identifier for the folder. Must be the same on all cluster devices.": "Zahtevan identifikator za mapo. Biti mora enak na vseh napravah v gruči.", + "Rescan": "Ponovno osveži", + "Rescan All": "Osveži vse", + "Rescans": "Ponovno skeniranje", + "Restart": "Ponovno zaženi", + "Restart Needed": "Zahtevan je ponovni zagon", + "Restarting": "Poteka ponovni zagon", + "Restore": "Obnovi", + "Restore Versions": "Obnovi različice", + "Resume": "Nadaljuj", + "Resume All": "Nadaljuj vse", + "Reused": "Ponovno uporabi", + "Revert": "Povrni", + "Revert Local Changes": "Razveljavi lokalne spremembe", + "Save": "Shrani", + "Scan Time Remaining": "Preostali čas skeniranja", + "Scanning": "Osveževanje", + "See external versioning help for supported templated command line parameters.": "Oglejte si zunanjo pomoč za urejanje različic za podprte predloge parametrov ukazne vrstice.", + "Select All": "Izberi vse", + "Select a version": "Izberite različico", + "Select additional devices to share this folder with.": "Izberite dodatne naprave za skupno rabo te mape.", + "Select additional folders to share with this device.": "Izberite dodatne mape za skupno rabo s to napravo.", + "Select latest version": "Izberite najnovejšo različico", + "Select oldest version": "Izberite najstarejšo različico", + "Select the folders to share with this device.": "Izberi mapo za deljenje z to napravo.", + "Send & Receive": "Pošlji in Prejmi", + "Send Only": "Samo pošiljanje", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", + "Settings": "Nastavitve", + "Share": "Deli", + "Share Folder": "Deli mapo", + "Share Folders With Device": "Deli mapo z napravo", + "Share this folder?": "Deli to mapo?", + "Shared Folders": "Skupne mape", + "Shared With": "Usklajeno z", + "Sharing": "Skupna raba", + "Show ID": "Pokaži ID", + "Show QR": "Pokaži QR", + "Show detailed discovery status": "Pokaži podroben status odkritja", + "Show detailed listener status": "Pokaži podroben status vmesnika", + "Show diff with previous version": "Pokaži razliko s prejšnjo različico", + "Shown instead of Device ID in the cluster status. Will be advertised to other devices as an optional default name.": "Prikazano namesto ID-ja naprave v stanju gruče. Oglašuje se drugim napravam kot neobvezno privzeto ime.", + "Shown instead of Device ID in the cluster status. Will be updated to the name the device advertises if left empty.": "Prikazano namesto ID-ja naprave v stanju gruče. Če ostane prazno, bo posodobljeno na ime, ki ga oglašuje naprava.", + "Shutdown": "Izklopi", + "Shutdown Complete": "Izklop končan", + "Simple File Versioning": "Enostvno beleženje različic datotek", + "Single level wildcard (matches within a directory only)": "Enostopenjski nadomestni znak (ujema se samo v imeniku)", + "Size": "Velikost", + "Smallest First": "najprej najmanjša", + "Some discovery methods could not be established for finding other devices or announcing this device:": "Nekaterih metod odkrivanja ni bilo mogoče vzpostaviti za iskanje drugih naprav ali objavo te naprave:", + "Some items could not be restored:": "Nekaterih predmetov ni bilo mogoče obnoviti:", + "Some listening addresses could not be enabled to accept connections:": "Nekaterim naslovom za poslušanje ni bilo mogoče omogočiti sprejemanja povezav:", + "Source Code": "Izvorna koda", + "Stable releases and release candidates": "Stabilne izdaje in kandidati za sprostitev", + "Stable releases are delayed by about two weeks. During this time they go through testing as release candidates.": "Stabilne izdaje zamujajo za približno dva tedna. V tem času gredo skozi testiranje kot kandidati za izdajo.", + "Stable releases only": "Samo stabilne izdaje", + "Staggered File Versioning": "Razporeditveno beleženje različic datotek", + "Start Browser": "Zaženi brskalnik", + "Statistics": "Statistika", + "Stopped": "Zaustavljeno", + "Stores and syncs only encrypted data. Folders on all connected devices need to be set up with the same password or be of type \"{%receiveEncrypted%}\" too.": "Shranjuje in sinhronizira samo šifrirane podatke. Mape na vseh povezanih napravah morajo biti nastavljene z istim geslom ali pa morajo biti tudi vrste \"{{receiveEncrypted}}\".", + "Support": "Pomoč", + "Support Bundle": "Podporni paket", + "Sync Protocol Listen Addresses": "Naslovi poslušanja protokola sinhronizacije", + "Syncing": "Usklajevanje", + "Syncthing has been shut down.": "Program Syncthing je onemogočen.", + "Syncthing includes the following software or portions thereof:": "Syncthing vključuje naslednjo programsko opremo ali njene dele:", + "Syncthing is Free and Open Source Software licensed as MPL v2.0.": "Syncthing je brezplačna odprtokodna programska oprema, licencirana kot MPL v2.0.", + "Syncthing is listening on the following network addresses for connection attempts from other devices:": "Syncthing posluša na naslednjih omrežnih naslovih poskuse povezovanja iz drugih naprav:", + "Syncthing is not listening for connection attempts from other devices on any address. Only outgoing connections from this device may work.": "Syncthing ne posluša poskusov povezovanja drugih naprav na katerem koli naslovu. Delujejo lahko samo odhodne povezave iz te naprave.", + "Syncthing is restarting.": "Program Syncthing se ponovno zaganja.", + "Syncthing is upgrading.": "Program Syncthing se posodablja", + "Syncthing now supports automatically reporting crashes to the developers. This feature is enabled by default.": "Syncthing zdaj podpira samodejno poročanje o zrušitvah razvijalcem. Ta funkcija je privzeto omogočena.", + "Syncthing seems to be down, or there is a problem with your Internet connection. Retrying…": "Zdi se, da je Syncthing ni delujoč ali pa je prišlo do težave z vašo internetno povezavo. Ponovni poskus …", + "Syncthing seems to be experiencing a problem processing your request. Please refresh the page or restart Syncthing if the problem persists.": "Zdi se, da ima Syncthing težave pri obdelavi vaše zahteve. Osvežite stran ali znova zaženite Syncthing, če se težava ponovi.", + "Take me back": "Daj me nazaj", + "The GUI address is overridden by startup options. Changes here will not take effect while the override is in place.": "Naslov grafičnega vmesnika preglasijo možnosti zagona. Spremembe tukaj ne bodo veljale, dokler je preglasitev v veljavi.", + "The Syncthing Authors": "Syncthing avtorji", + "The Syncthing admin interface is configured to allow remote access without a password.": "Skrbniški vmesnik Syncthing je konfiguriran tako, da omogoča oddaljeni dostop brez gesla.", + "The aggregated statistics are publicly available at the URL below.": "Zbrani statistični podatki so javno dostopni na spodnjem URL-ju.", + "The cleanup interval cannot be blank.": "Interval čiščenja ne sme biti prazen.", + "The configuration has been saved but not activated. Syncthing must restart to activate the new configuration.": "Konfiguracija je bila shranjena, vendar ni aktivirana. Sinhronizacija se mora znova zagnati, da aktivirate novo konfiguracijo.", + "The device ID cannot be blank.": "ID naprave ne more biti prazno.", + "The device ID to enter here can be found in the \"Actions > Show ID\" dialog on the other device. Spaces and dashes are optional (ignored).": "ID naprave, ki ga vnesete tukaj, najdete v pozivnem oknu »Dejanja > Pokaži ID« na drugi napravi. Presledki in pomišljaji so neobvezni (prezrti).", + "The encrypted usage report is sent daily. It is used to track common platforms, folder sizes and app versions. If the reported data set is changed you will be prompted with this dialog again.": "Poročilo o šifrirani uporabi se pošilja vsak dan. Uporablja se za sledenje običajnih platform, velikosti map in različic aplikacij. Če se sporočeni nabor podatkov spremeni, boste znova pozvani k temu pozivnem oknu.", + "The entered device ID does not look valid. It should be a 52 or 56 character string consisting of letters and numbers, with spaces and dashes being optional.": "Vneseni ID naprave ni videti veljaven. To mora biti niz z 52 ali 56 znaki, sestavljen iz črk in številk, pri čemer so presledki in pomišljaji neobvezni.", + "The folder ID cannot be blank.": "ID mape ne more biti prazno.", + "The folder ID must be unique.": "ID mape more biti edinstveno.", + "The folder content on other devices will be overwritten to become identical with this device. Files not present here will be deleted on other devices.": "Vsebina mape na drugih napravah bo prepisana, da bo postala identična tej napravi. Datoteke, ki niso tukaj, bodo izbrisane na drugih napravah.", + "The folder content on this device will be overwritten to become identical with other devices. Files newly added here will be deleted.": "Vsebina mape na drugih napravah bo prepisana, da bo postala identična tej napravi. Tu na novo dodane datoteke bodo izbrisane.", + "The folder path cannot be blank.": "Pot mape ne more biti prazno.", + "The following intervals are used: for the first hour a version is kept every 30 seconds, for the first day a version is kept every hour, for the first 30 days a version is kept every day, until the maximum age a version is kept every week.": "Uporabljajo se sledeči intervali: prvo uro se različica hrani vsakih 30 sekund, prvi dan se različica hrani vsako uro, prvih 30 dni se različica hrani vsak dan, do najvišje starosti se različica hrani vsaki teden.", + "The following items could not be synchronized.": "Naslednjih predmetov ni bilo mogoče sinhronizirati.", + "The following items were changed locally.": "Naslednji predmeti so bili lokalno spremenjeni.", + "The following methods are used to discover other devices on the network and announce this device to be found by others:": "Naslednje metode se uporabljajo za odkrivanje drugih naprav v omrežju in oznanitev, da jo najdejo drugi:", + "The following unexpected items were found.": "Najdeni so bili naslednji nepričakovani predmeti.", + "The interval must be a positive number of seconds.": "Interval mora biti pozitivno število od sekund.", + "The interval, in seconds, for running cleanup in the versions directory. Zero to disable periodic cleaning.": "Interval, v sekundah, za zagon čiščenja v mapi različic. 0 za onemogočanje občasnega čiščenja.", + "The maximum age must be a number and cannot be blank.": "Najvišja starost mora biti številka in ne sme biti prazno.", + "The maximum time to keep a version (in days, set to 0 to keep versions forever).": "Najdaljši čas za shranjevanje različice (v dnevih, nastavite na 0, da se različice ohranijo za vedno).", + "The number of days must be a number and cannot be blank.": "Število dni mora biti število in ne more biti prazno.", + "The number of days to keep files in the trash can. Zero means forever.": "Število dni kolikor se hranijo datoteke v Smetnjaku. Nič pomeni za zmeraj. ", + "The number of old versions to keep, per file.": "Število starejših različic za hrambo na datoteko.", + "The number of versions must be a number and cannot be blank.": "Število različic mora biti število in ne more biti prazno.", + "The path cannot be blank.": "Pot ne more biti prazna.", + "The rate limit must be a non-negative number (0: no limit)": "Omejitev stopnje odzivnosti mora biti nenegativno število (0: brez omejitve)", + "The rescan interval must be a non-negative number of seconds.": "Interval skeniranja mora biti pozitivna številka.", + "There are no devices to share this folder with.": "Ni naprav za skupno rabo te mape.", + "There are no file versions to restore.": "Ni različic od datotek za obnoviti.", + "There are no folders to share with this device.": "Ni map za skupno rabo s to napravo.", + "They are retried automatically and will be synced when the error is resolved.": "Samodejno se poskuša znova in bo sinhronizirano, ko je napaka odpravljena.", + "This Device": "Ta naprava", + "This Month": "Ta mesec", + "This can easily give hackers access to read and change any files on your computer.": "To lahko hekerjem preprosto omogoči dostop do branja in spreminjanja vseh datotek v vašem računalniku.", + "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Ta naprava ne more samodejno odkriti drugih naprav ali objaviti svojega naslova, da ga najdejo drugi. Povezujejo se lahko samo naprave s statično konfiguriranimi naslovi.", + "This is a major version upgrade.": "To je nadgradnja glavne različice", + "This setting controls the free space required on the home (i.e., index database) disk.": "Ta nastavitev nadzoruje prosti prostor potreben na domačem (naprimer, indeksirana podatkovna baza) pogonu.", + "Time": "Čas", + "Time the item was last modified": "Čas, ko je bil element nazadnje spremenjen", + "Today": "Danes", + "Trash Can File Versioning": "Beleženje različic datotek s Smetnjakom", + "Twitter": "Twitter", + "Type": "Vrsta", + "UNIX Permissions": "UNIX dovoljenja", + "Unavailable": "Ni na voljo", + "Unavailable/Disabled by administrator or maintainer": "Ni na voljo/Onemogočeno od administratorja ali vzdrževalca", + "Undecided (will prompt)": "Neodločen (bo pozval)", + "Unexpected Items": "Nepričakovani predmeti", + "Unexpected items have been found in this folder.": "V tej mapi so bili najdeni nepričakovani predmeti.", + "Unignore": "Odignoriraj", + "Unknown": "Neznano", + "Unshared": "Ne deli", + "Unshared Devices": "Naprave, ki niso v skupni rabi", + "Unshared Folders": "Mape, ki niso v skupni rabi", + "Untrusted": "Nezaupno", + "Up to Date": "Posodobljeno", + "Updated": "Posodobljeno", + "Upgrade": "Posodobi", + "Upgrade To {%version%}": "Posodobi na različico {{version}}", + "Upgrading": "Posodabljanje", + "Upload Rate": "Hitrost prejemanja", + "Uptime": "Čas delovanja", + "Usage reporting is always enabled for candidate releases.": "Poročanje o uporabi je vedno omogočeno za kandidatne izdaje.", + "Use HTTPS for GUI": "Uporabi protokol HTTPS za vmesnik", + "Use notifications from the filesystem to detect changed items.": "Za odkrivanje spremenjenih elementov uporabite obvestila iz datotečnega sistema.", + "Username/Password has not been set for the GUI authentication. Please consider setting it up.": "Uporabniško ime/geslo ni bilo nastavljeno za preverjanje pristnosti na grafičnem vmesniku. Razmislite o nastavitvi.", + "Version": "Različica", + "Versions": "Različice", + "Versions Path": "Pot do različic", + "Versions are automatically deleted if they are older than the maximum age or exceed the number of files allowed in an interval.": "Različice se samodejno izbrišejo, če so starejše od najvišje starosti ali presegajo dovoljeno število datotek v intervalu.", + "Waiting to Clean": "Čakanje na čiščenje", + "Waiting to Scan": "Čakanje na skeniranje", + "Waiting to Sync": "Čakanje na sinhronizacijo", + "Warning": "Opozorilo", + "Warning, this path is a parent directory of an existing folder \"{%otherFolder%}\".": "Opozorilo, ta pot je nadrejena mapa obstoječe mape \"{{otherFolder}}\".", + "Warning, this path is a parent directory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "Opozorilo, ta pot je nadrejena mapa obstoječe mape \"{{otherFolderLabel}}\" ({{otherFolder}}).", + "Warning, this path is a subdirectory of an existing folder \"{%otherFolder%}\".": "Opozorilo, ta pot je že podmapa obstoječe mape \"{{otherFolder}}\".", + "Warning, this path is a subdirectory of an existing folder \"{%otherFolderLabel%}\" ({%otherFolder%}).": "Opozorilo, ta pot je že podmapa obstoječe mape \"{{otherFolderLabel}}\" ({{otherFolder}}).", + "Warning: If you are using an external watcher like {%syncthingInotify%}, you should make sure it is deactivated.": "Opozorilo: Če uporabljate zunanji opazovalec, kot je {{syncthingInotify}}, se prepričajte, da je deaktiviran.", + "Watch for Changes": "Gleda se za spremembe", + "Watching for Changes": "Gledanje za spremembe", + "Watching for changes discovers most changes without periodic scanning.": "Opazovanje sprememb odkrije večino sprememb brez občasnega skeniranja.", + "When adding a new device, keep in mind that this device must be added on the other side too.": "Ob dodajanju nove naprave imejte v mislih, da ta naprava mora biti dodana tudi na drugi strani.", + "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Ko dodajate novo mapo, ne pozabite, da se ID mape uporablja za povezovanje map med napravami. Razlikujejo se na velike in male črke in se morajo natančno ujemati med vsemi napravami.", + "Yes": "Da", + "Yesterday": "Včeraj", + "You can also select one of these nearby devices:": "Izberete lahko tudi eno od teh naprav v bližini:", + "You can change your choice at any time in the Settings dialog.": "Svojo izbiro lahko kadar koli spremenite v pozivnem oknu Nastavitve.", + "You can read more about the two release channels at the link below.": "Več o obeh kanalih za izdajo si lahko preberete na spodnji povezavi.", + "You have no ignored devices.": "Nimate prezrtih naprav.", + "You have no ignored folders.": "Nimate prezrtih map.", + "You have unsaved changes. Do you really want to discard them?": "Imate neshranjene spremembe. Ali jih res želite zavreči?", + "You must keep at least one version.": "Potrebno je obdržati vsaj eno verzijo.", + "You should never add or change anything locally in a \"{%receiveEncrypted%}\" folder.": "Nikoli ne smete ničesar dodati ali spremeniti lokalno v mapi \"{{receiveEncrypted}}\".", + "days": "dnevi", + "directories": "mape", + "files": "datoteke", + "full documentation": "celotna dokumentacija", + "items": "predmeti", + "seconds": "sekunde", + "theme-name-black": "Črna", + "theme-name-dark": "Temno", + "theme-name-default": "Privzeto", + "theme-name-light": "Svetlo", + "{%device%} wants to share folder \"{%folder%}\".": "{{device}} želi deliti mapo \"{{folder}}\".", + "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} želi deliti mapo \"{{folderlabel}}\" ({{folder}}).", + "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} bo morda znova predstavil to napravo." +} \ No newline at end of file diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-sv.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-sv.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-sv.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-sv.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Lägg till mapp", "Add Remote Device": "Lägg till fjärrenhet", "Add devices from the introducer to our device list, for mutually shared folders.": "Lägg till enheter från introduktören till vår enhetslista för ömsesidigt delade mappar.", + "Add ignore patterns": "Lägg till ignoreringsmönster", "Add new folder?": "Lägg till ny mapp?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Dessutom kommer det fullständiga återkommande skanningsintervallet att höjas (60 gånger, d.v.s. ny standard på 1h). Du kan också konfigurera den manuellt för varje mapp senare efter att du har valt Nej.", "Address": "Adress", @@ -18,13 +19,16 @@ "Advanced": "Avancerat", "Advanced Configuration": "Avancerad konfiguration", "All Data": "Alla data", + "All Time": "All tid", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Alla mappar som delas med denna enhet måste skyddas av ett lösenord, så att alla data som skickas är oläsliga utan det angivna lösenordet.", "Allow Anonymous Usage Reporting?": "Tillåt anonym användarstatistiksrapportering?", "Allowed Networks": "Tillåtna nätverk", "Alphabetic": "Alfabetisk", + "Altered by ignoring deletes.": "Ändrad genom att ignorera borttagningar.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Ett externt kommando hanterar versionen. Det måste ta bort filen från den delade mappen. Om sökvägen till applikationen innehåller mellanslag bör den citeras.", "Anonymous Usage Reporting": "Anonym användarstatistiksrapportering", "Anonymous usage report format has changed. Would you like to move to the new format?": "Anonymt användningsrapportformat har ändrats. Vill du flytta till det nya formatet?", + "Apply": "Tillämpa", "Are you sure you want to continue?": "Är du säker på att du vill fortsätta?", "Are you sure you want to override all remote changes?": "Är du säker på att du vill åsidosätta alla fjärrändringar?", "Are you sure you want to permanently delete all these files?": "Är du säker på att du vill ta bort alla dessa filer permanent?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 följande bidragsgivare:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Skapa ignorera mönster, skriver över en existerande fil på {{path}}.", "Currently Shared With Devices": "För närvarande delas med enheter", + "Custom Range": "Anpassat intervall", "Danger!": "Fara!", "Debugging Facilities": "Felsökningsfunktioner", "Default Configuration": "Standardkonfiguration", @@ -92,7 +97,7 @@ "Disabled periodic scanning and enabled watching for changes": "Inaktiverad periodisk skanning och aktiverad bevakning av ändringar", "Disabled periodic scanning and failed setting up watching for changes, retrying every 1m:": "Inaktiverad periodisk skanning och misslyckades med att ställa in bevakning av ändringar, försöker igen var 1:e minut:", "Disables comparing and syncing file permissions. Useful on systems with nonexistent or custom permissions (e.g. FAT, exFAT, Synology, Android).": "Inaktiverar att jämföra och synkronisera filbehörigheter. Användbart för system med obefintliga eller anpassade behörigheter (t.ex. FAT, exFAT, Synology, Android).", - "Discard": "Kasta", + "Discard": "Kassera", "Disconnected": "Frånkopplad", "Disconnected (Unused)": "Frånkopplad (oanvänd)", "Discovered": "Upptäckt", @@ -126,6 +131,7 @@ "Error": "Fel", "External File Versioning": "Extern filversionshantering", "Failed Items": "Misslyckade objekt", + "Failed to load file versions.": "Det gick inte att läsa in filversioner.", "Failed to load ignore patterns.": "Det gick inte att läsa in ignorera mönster.", "Failed to setup, retrying": "Det gick inte att ställa in, försöker igen", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "Det går inte att ansluta till IPv6-servrar om det inte finns någon IPv6-anslutning.", @@ -168,10 +174,11 @@ "Ignore": "Ignorera", "Ignore Patterns": "Ignorera mönster", "Ignore Permissions": "Ignorera rättigheter", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignoreringsmönster kan bara läggas till efter att mappen har skapats. Om markerad kommer ett inmatningsfält för att ställa in ignoreringsmönster att visas efter att du har sparat.", "Ignored Devices": "Ignorerade enheter", "Ignored Folders": "Ignorerade mappar", "Ignored at": "Ignorerad vid", - "Incoming Rate Limit (KiB/s)": "Inkommande hastighetsgräns (KiB/s)", + "Incoming Rate Limit (KiB/s)": "Ingående hastighetsgräns (KiB/s)", "Incorrect configuration may damage your folder contents and render Syncthing inoperable.": "Inkorrekt konfiguration kan skada innehållet i mappen and få Syncthing att sluta fungera.", "Introduced By": "Introducerad av", "Introducer": "Introduktör", @@ -179,6 +186,9 @@ "Keep Versions": "Behåll versioner", "LDAP": "LDAP", "Largest First": "Största först", + "Last 30 Days": "Senaste 30 dagarna", + "Last 7 Days": "Senaste 7 dagarna", + "Last Month": "Förra månaden", "Last Scan": "Senaste skanning", "Last seen": "Senast sedd", "Latest Change": "Senaste ändring", @@ -278,7 +288,7 @@ "Revert Local Changes": "Återställ lokala ändringar", "Save": "Spara", "Scan Time Remaining": "Återstående skanningstid", - "Scanning": "Skannar", + "Scanning": "Skanning", "See external versioning help for supported templated command line parameters.": "Se hjälp för extern version för stödda mallade kommandoradsparametrar.", "Select All": "Markera alla", "Select a version": "Välj en version", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Välj mapparna som ska delas med denna enhet.", "Send & Receive": "Skicka & ta emot", "Send Only": "Skicka endast", + "Set Ignores on Added Folder": "Ställ in ignoreringar för tillagd mapp", "Settings": "Inställningar", "Share": "Dela", "Share Folder": "Dela mapp", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Frekvensgränsen måste vara ett icke-negativt tal (0: ingen gräns)", "The rescan interval must be a non-negative number of seconds.": "Förnyelseintervallet måste vara ett positivt antal sekunder", "There are no devices to share this folder with.": "Det finns inga enheter att dela denna mapp med.", + "There are no file versions to restore.": "Det finns inga filversioner att återställa.", "There are no folders to share with this device.": "Det finns inga mappar att dela med denna enhet.", "They are retried automatically and will be synced when the error is resolved.": "De omprövas automatiskt och kommer att synkroniseras när felet är löst.", "This Device": "Denna enhet", + "This Month": "Den här månaden", "This can easily give hackers access to read and change any files on your computer.": "Detta kan lätt ge hackare tillgång till att läsa och ändra några filer på datorn.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Denna enhet kan inte automatiskt upptäcka andra enheter eller meddela sin egen adress som andra kan hitta. Endast enheter med statiskt konfigurerade adresser kan ansluta.", "This is a major version upgrade.": "Det här är en stor uppgradering.", "This setting controls the free space required on the home (i.e., index database) disk.": "Denna inställning styr hur mycket ledigt utrymme som krävs på hemdisken (dvs. indexdatabasen).", "Time": "Tid", "Time the item was last modified": "Tidpunkten objektet var senast ändrad", + "Today": "Idag", "Trash Can File Versioning": "Papperskorgs filversionshantering", + "Twitter": "Twitter", "Type": "Typ", "UNIX Permissions": "UNIX-behörigheter", "Unavailable": "Otillgänglig", @@ -422,12 +437,13 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "När du lägger till en ny enhet, kom ihåg att denna enhet måste läggas till på den andra enheten också.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "När du lägger till ny mapp, tänk på att mapp-ID knyter ihop mappar mellan olika enheter. De skiftlägeskänsliga och måste matcha precis mellan alla enheter.", "Yes": "Ja", + "Yesterday": "Igår", "You can also select one of these nearby devices:": "Du kan också välja en av dessa närliggande enheter:", "You can change your choice at any time in the Settings dialog.": "Du kan ändra ditt val när som helst i inställningsdialogrutan.", "You can read more about the two release channels at the link below.": "Du kan läsa mer om de två publiceringsskanalerna på länken nedan.", "You have no ignored devices.": "Du har inga ignorerade enheter.", "You have no ignored folders.": "Du har inga ignorerade mappar.", - "You have unsaved changes. Do you really want to discard them?": "Du har osparade ändringar. Vill du verkligen kasta dem?", + "You have unsaved changes. Do you really want to discard them?": "Du har osparade ändringar. Vill du verkligen kassera dem?", "You must keep at least one version.": "Du måste behålla åtminstone en version.", "You should never add or change anything locally in a \"{%receiveEncrypted%}\" folder.": "Du ska aldrig lägga till eller ändra något lokalt i en \"{{receiveEncrypted}}\"-mapp.", "days": "dagar", @@ -436,6 +452,10 @@ "full documentation": "fullständig dokumentation", "items": "objekt", "seconds": "sekunder", + "theme-name-black": "Svart", + "theme-name-dark": "Mörkt", + "theme-name-default": "Standard", + "theme-name-light": "Ljust", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} vill dela mapp \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} vill dela mapp \"{{folderlabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} kan återinföra denna enhet." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-tr.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-tr.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-tr.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-tr.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Klasör Ekle", "Add Remote Device": "Uzak Cihaz Ekle", "Add devices from the introducer to our device list, for mutually shared folders.": "Karşılıklı olarak paylaşılan klasörler için tanıtıcıdan cihaz listemize cihazlar ekleyin.", + "Add ignore patterns": "Yoksayma şekilleri ekle", "Add new folder?": "Yeni klasör eklensin mi?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Ek olarak, tam yeniden tarama aralığı artacaktır (60 defa, yani 1 saat yeni varsayılan). Ayrıca, Hayır'ı seçtikten daha sonra her klasör için el ile de yapılandırabilirsiniz.", "Address": "Adres", @@ -18,13 +19,16 @@ "Advanced": "Gelişmiş", "Advanced Configuration": "Gelişmiş Yapılandırma", "All Data": "Tüm Veriler", + "All Time": "Tüm Zamanlar", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "Bu cihazla paylaşılan tüm klasörler bir parola ile korunmak zorundadır, böylece gönderilen tüm veriler verilen parola olmadan okunamaz.", "Allow Anonymous Usage Reporting?": "İsimsiz Kullanım Bildirmeye İzin Verilsin Mi?", "Allowed Networks": "İzin Verilen Ağlar", "Alphabetic": "Alfabetik", + "Altered by ignoring deletes.": "Silmeler yoksayılarak değiştirildi.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Harici bir komut sürümlendirmeyi gerçekleştirir. Dosyayı paylaşılan klasörden kaldırmak zorundadır. Eğer uygulama yolu boşluklar içeriyorsa, tırnak içine alınmalıdır.", "Anonymous Usage Reporting": "İsimsiz Kullanım Bildirme", "Anonymous usage report format has changed. Would you like to move to the new format?": "İsimsiz kullanım raporu biçimi değişti. Yeni biçime geçmek ister misiniz?", + "Apply": "Uygula", "Are you sure you want to continue?": "Devam etmek istediğinize emin misiniz?", "Are you sure you want to override all remote changes?": "Tüm uzak değişiklikleri geçersiz kılmak istediğinize emin misiniz?", "Are you sure you want to permanently delete all these files?": "Tüm bu dosyaları kalıcı olarak silmek istediğinize emin misiniz?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Telif hakkı © 2014-2020 Katkıda Bulunanlar:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Yoksayma şekilleri oluşturuluyor, {{path}} yolunda varolan bir dosyanın üzerine yazılıyor.", "Currently Shared With Devices": "Şu Anda Paylaşıldığı Cihazlar", + "Custom Range": "Özel Aralık", "Danger!": "Tehlike!", "Debugging Facilities": "Hata Ayıklama Olanakları", "Default Configuration": "Varsayılan Yapılandırma", @@ -126,6 +131,7 @@ "Error": "Hata", "External File Versioning": "Harici Dosya Sürümlendirme", "Failed Items": "Başarısız Olan Öğeler", + "Failed to load file versions.": "Dosya sürümlerini yükleme başarısız.", "Failed to load ignore patterns.": "Yoksayma şekillerini yükleme başarısız.", "Failed to setup, retrying": "Ayarlama başarısız, yeniden deneniyor", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "IPv6 bağlanabilirliği yoksa IPv6 sunucularına bağlanma hatası beklenmekte.", @@ -143,7 +149,7 @@ "Folder Label": "Klasör Etiketi", "Folder Path": "Klasör Yolu", "Folder Type": "Klasör Türü", - "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Klasör türü \"{{receiveEncrypted}}\" sadece yeni bir klasör eklerken ayarlanabilir.", + "Folder type \"{%receiveEncrypted%}\" can only be set when adding a new folder.": "Klasör türü \"{{receiveEncrypted}}\" yalnızca yeni bir klasör eklerken ayarlanabilir.", "Folder type \"{%receiveEncrypted%}\" cannot be changed after adding the folder. You need to remove the folder, delete or decrypt the data on disk, and add the folder again.": "Klasör türü \"{{receiveEncrypted}}\", klasör eklendikten sonra değiştirilemez. Klasörü kaldırmanız, diskteki verileri silmeniz veya şifresini çözmeniz ve klasörü tekrar eklemeniz gerekir.", "Folders": "Klasörler", "For the following folders an error occurred while starting to watch for changes. It will be retried every minute, so the errors might go away soon. If they persist, try to fix the underlying issue and ask for help if you can't.": "Aşağıdaki klasörler için değişiklikleri izlemeye başlarken bir hata meydana geldi. Her dakika yeniden denenecektir, böylece hatalar kısa süre içinde ortadan kalkabilir. Devam ederse, altta yatan sorunu düzeltmeye çalışın ve yapamazsanız yardım isteyin.", @@ -168,6 +174,7 @@ "Ignore": "Yoksay", "Ignore Patterns": "Yoksayma Şekilleri", "Ignore Permissions": "İzinleri Yoksay", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Yoksayma şekilleri yalnızca klasör oluşturulduktan sonra eklenebilir. Eğer işaretlendiyse, kaydettikten sonra yoksayma şekillerini girmek için bir giriş alanı sunulacaktır.", "Ignored Devices": "Yoksayılan Cihazlar", "Ignored Folders": "Yoksayılan Klasörler", "Ignored at": "Yoksayılma", @@ -179,6 +186,9 @@ "Keep Versions": "Sürümleri Tut", "LDAP": "LDAP", "Largest First": "Önce En Büyük Olan", + "Last 30 Days": "Son 30 Gün", + "Last 7 Days": "Son 7 Gün", + "Last Month": "Geçen Ay", "Last Scan": "Son Tarama", "Last seen": "Son görülme", "Latest Change": "Son Değişiklik", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Bu cihazla paylaşılacak klasörleri seçin.", "Send & Receive": "Gönder ve Al", "Send Only": "Yalnızca Gönder", + "Set Ignores on Added Folder": "Eklenen Klasörde Yoksayılanları Ayarla", "Settings": "Ayarlar", "Share": "Paylaş", "Share Folder": "Paylaşım Klasörü", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Hız sınırı negatif olmayan bir sayı olmak zorundadır (0: sınır yok)", "The rescan interval must be a non-negative number of seconds.": "Yeniden tarama aralığı negatif olmayan bir saniye sayısı olmak zorundadır.", "There are no devices to share this folder with.": "Bu klasörün paylaşılacağı cihazlar yok.", + "There are no file versions to restore.": "Geri yüklenecek dosya sürümleri yok.", "There are no folders to share with this device.": "Bu cihazla paylaşılacak klasörler yok.", "They are retried automatically and will be synced when the error is resolved.": "Otomatik olarak yeniden denenirler ve hata çözüldüğünde eşitleneceklerdir.", "This Device": "Bu Cihaz", + "This Month": "Bu Ay", "This can easily give hackers access to read and change any files on your computer.": "Bu, bilgisayar korsanlarının bilgisayarınızdaki herhangi bir dosyayı okumasına ve değiştirmesine kolayca erişim sağlayabilir.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "Bu cihaz diğer cihazları otomatik olarak keşfedemez veya başkaları tarafından bulunacak kendi adresini duyuramaz. Yalnızca sabit olarak yapılandırılmış adreslere sahip cihazlar bağlanabilir.", "This is a major version upgrade.": "Bu büyük sürüm yükseltmesidir.", "This setting controls the free space required on the home (i.e., index database) disk.": "Bu ayar, ev (yani indeks veritabanı) diskindeki gereken boş alanı denetler.", "Time": "Zaman", "Time the item was last modified": "Öğenin son düzenlendiği zaman", + "Today": "Bugün", "Trash Can File Versioning": "Çöp Kutusu Dosyası Sürümlendirme", + "Twitter": "Twitter", "Type": "Tür", "UNIX Permissions": "Unix İzinleri", "Unavailable": "Kullanılamaz", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Yeni bir cihaz eklerken, bu cihazın karşı tarafa da eklenmek zorunda olduğunu unutmayın.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Yeni bir klasör eklerken, Klasör Kimliği'nin klasörleri cihazlar arasında bağlamak için kullanıldığını unutmayın. Büyük/küçük harf duyarlıdırlar ve tüm cihazlarda tam olarak eşleşmek zorundadırlar.", "Yes": "Evet", + "Yesterday": "Dün", "You can also select one of these nearby devices:": "Ayrıca yakındaki cihazlardan birini de seçebilirsiniz:", "You can change your choice at any time in the Settings dialog.": "Seçiminizi istediğiniz zaman Ayarlar ileti öğesinde değiştirebilirsiniz.", "You can read more about the two release channels at the link below.": "İki yayım kanalı hakkında daha fazlasını aşağıdaki bağlantıda okuyabilirsiniz.", @@ -436,6 +452,10 @@ "full documentation": "tam belgelendirme", "items": "öğe", "seconds": "saniye", + "theme-name-black": "Siyah", + "theme-name-dark": "Koyu", + "theme-name-default": "Varsayılan", + "theme-name-light": "Açık", "{%device%} wants to share folder \"{%folder%}\".": "{{device}}, \"{{folder}}\" klasörünü paylaşmak istiyor.", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}}, \"{{folderlabel}}\" ({{folder}}) klasörünü paylaşmak istiyor.", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} bu cihazı yeniden tanıtabilir." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-uk.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-uk.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-uk.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-uk.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "Додати директорію", "Add Remote Device": "Додати віддалений пристрій", "Add devices from the introducer to our device list, for mutually shared folders.": "Додати пристрої від пристрою-рекомендувача до нашого списку пристроїв для спільно розділених директорій.", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "Додати нову директорію?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "Крім того, буде збільшений інтервал повного сканування (у 60 разів, тобто нове значення за замовчанням - 1 година). Ви також можете налаштувати його вручну для кожної папки пізніше після вибору \"Ні\".", "Address": "Адреса", @@ -18,13 +19,16 @@ "Advanced": "Розширені", "Advanced Configuration": "Розширена конфігурація", "All Data": "Усі дані", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "Дозволити програмі збирати анонімну статистику використання?", "Allowed Networks": "Дозволені мережі", "Alphabetic": "За алфавітом", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "Зовнішня команда керування версіями. Вона має видалити файл із спільної директорії. Якщо шлях до програми містить пробіли, він буде взятий у лапки.", "Anonymous Usage Reporting": "Анонімна статистика використання", "Anonymous usage report format has changed. Would you like to move to the new format?": "Змінився формат анонімного звіту про користування. Бажаєте перейти на новий формат?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "© 2014-2019 Всі права застережено, вклад внесли:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "Створення шаблонів винятків з перезаписом існуючого файлу {{path}}.", "Currently Shared With Devices": "На даний момент є спільний доступ пристроїв", + "Custom Range": "Custom Range", "Danger!": "Небезпечно!", "Debugging Facilities": "Засоби відладки", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "Помилка", "External File Versioning": "Зовнішне керування версіями", "Failed Items": "Невдалі", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "Помилка при налаштуванні, повторюємо", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "За відсутності IPv6-з'єднання очікується неможливість підключення до IPv6-серверів.", @@ -168,6 +174,7 @@ "Ignore": "Ігнорувати", "Ignore Patterns": "Шаблони винятків", "Ignore Permissions": "Ігнорувати права доступу до файлів", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "Ігноровані пристрої", "Ignored Folders": "Ігноровані папки", "Ignored at": "Ігноруються в", @@ -179,6 +186,9 @@ "Keep Versions": "Зберігати версії", "LDAP": "LDAP", "Largest First": "Спершу найбільші", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "Останнє сканування", "Last seen": "З’являвся останній раз", "Latest Change": "Найостанніша зміна", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "Оберіть директорії до яких матиме доступ цей пристрій.", "Send & Receive": "Відправити та отримати", "Send Only": "Лише відправити", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "Налаштування", "Share": "Розповсюдити ", "Share Folder": "Розповсюдити каталог", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "Швидкість має бути додатнім числом.", "The rescan interval must be a non-negative number of seconds.": "Інтервал повторного сканування повинен бути неід’ємною величиною.", "There are no devices to share this folder with.": "Відсутні пристрої, які мають доступ до цієї директорії.", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "There are no folders to share with this device.", "They are retried automatically and will be synced when the error is resolved.": "Вони будуть автоматично повторно синхронізовані, коли помилку буде усунено. ", "This Device": "Локальний пристрій", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "Це легко може дати хакерам доступ до читання та зміни будь-яких файлів на вашому комп'ютері.", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "Це оновлення мажорної версії", "This setting controls the free space required on the home (i.e., index database) disk.": "Це налаштування визначає необхідний вільний простір на домашньому (тобто той, що містить базу даних) диску.", "Time": "Час", "Time the item was last modified": "Час останньої зміни елемента:", + "Today": "Today", "Trash Can File Versioning": "Версіонування файлів у кошику ", + "Twitter": "Twitter", "Type": "Тип", "UNIX Permissions": "UNIX дозволи", "Unavailable": "Недоступно", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "Коли додаєте новий вузол, пам’ятайте, що цей вузол повинен бути доданий і на іншій стороні.", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "Коли додаєте нову директорію, пам’ятайте, що ID цієї директорії використовується для того, щоб зв’язувати директорії разом між пристроями. Назви повинні точно співпадати між усіма пристроями, регістр символів має значення.", "Yes": "Так", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "Ви також можете обрати один із сусідніх пристроїв:", "You can change your choice at any time in the Settings dialog.": "Ви завжди можете змінити свій вибір у вікні Налаштувань.", "You can read more about the two release channels at the link below.": "Ви можете прочитати більше про два канали випусків за посиланням нижче.", @@ -436,6 +452,10 @@ "full documentation": "повна документація", "items": "елементи", "seconds": "секунд", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} хоче поділитися директорією \"{{folder}}\".", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} хоче поділитися директорією \"{{folderLabel}}\" ({{folder}}).", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} might reintroduce this device." diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-zh-CN.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-zh-CN.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-zh-CN.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-zh-CN.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "添加文件夹", "Add Remote Device": "添加远程设备", "Add devices from the introducer to our device list, for mutually shared folders.": "将这个设备上那些,跟本机有着共同文件夹的“远程设备”,都添加到本机的“远程设备”列表。", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "添加新文件夹?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "另外,完整重新扫描的间隔将增大(时间 60,以新的默认 1 小时为例)。你也可以在选择“否”后手动配置每个文件夹的时间。", "Address": "地址", @@ -18,13 +19,16 @@ "Advanced": "高级", "Advanced Configuration": "高级配置", "All Data": "所有数据", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "与此设备共享的所有文件夹都必须有密码保护,这样所有发送的数据在没有密码的情况下是不可读的。", "Allow Anonymous Usage Reporting?": "允许匿名使用报告?", "Allowed Networks": "允许的网络", "Alphabetic": "字母顺序", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "外部命令接管了版本控制。该外部命令必须自行从共享文件夹中删除该文件。如果此应用程序的路径包含空格,应该用半角引号括起来。", "Anonymous Usage Reporting": "匿名使用报告", "Anonymous usage report format has changed. Would you like to move to the new format?": "匿名使用情况的报告格式已经变更。是否要迁移到新的格式?", + "Apply": "Apply", "Are you sure you want to continue?": "您确定要继续吗?", "Are you sure you want to override all remote changes?": "您确定要覆盖所有远程更改吗?  ", "Are you sure you want to permanently delete all these files?": "确认要永久删除这些文件吗?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "版权所有 © 2014-2019 以下贡献者:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "正在创建忽略模式,覆盖位于 {{path}} 的已有文件。", "Currently Shared With Devices": "当前设备已共享", + "Custom Range": "Custom Range", "Danger!": "危险!", "Debugging Facilities": "调试功能", "Default Configuration": "默认配置", @@ -114,9 +119,9 @@ "Edit Folder": "编辑文件夹", "Edit Folder Defaults": "编辑文件夹默认值", "Editing {%path%}.": "正在编辑 {{path}}。", - "Enable Crash Reporting": "启用自动发送崩溃报告", - "Enable NAT traversal": "启用 NAT 遍历", - "Enable Relaying": "开启中继", + "Enable Crash Reporting": "启用崩溃报告", + "Enable NAT traversal": "启用 NAT 穿透", + "Enable Relaying": "启用中继", "Enabled": "已启用", "Enter a non-negative number (e.g., \"2.35\") and select a unit. Percentages are as part of the total disk size.": "输入一个非负数(例如“2.35”)并选择单位。%表示占磁盘总容量的百分比。", "Enter a non-privileged port number (1024 - 65535).": "输入一个非特权的端口号 (1024 - 65535)。", @@ -126,6 +131,7 @@ "Error": "错误", "External File Versioning": "外部版本控制", "Failed Items": "失败的项目", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "加载忽略模式失败。", "Failed to setup, retrying": "设置失败,正在重试。", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "如果本机没有配置IPv6,则无法连接IPv6服务器是正常的。", @@ -168,6 +174,7 @@ "Ignore": "忽略", "Ignore Patterns": "忽略模式", "Ignore Permissions": "忽略文件权限", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "已忽略的设备", "Ignored Folders": "已忽略的文件夹", "Ignored at": "已忽略于", @@ -179,6 +186,9 @@ "Keep Versions": "保留版本数量", "LDAP": "LDAP", "Largest First": "大文件优先", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "最后扫描", "Last seen": "最后可见", "Latest Change": "最后更改", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "选择与该设备共享的文件夹。", "Send & Receive": "发送与接收", "Send Only": "仅发送", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "设置", "Share": "共享", "Share Folder": "共享文件夹", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "传输速度限制为非负整数(0 表示不限制)", "The rescan interval must be a non-negative number of seconds.": "扫描间隔单位为秒,且不能为负数。", "There are no devices to share this folder with.": "没有设备共享此文件夹", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "没有文件夹与此设备共享。", "They are retried automatically and will be synced when the error is resolved.": "系统将会自动重试,当错误被解决时,它们将会被同步。", "This Device": "当前设备", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "这会让骇客能够轻而易举地访问及修改您的文件。", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "此设备无法自动发现其它设备或广播自己的地址被其他人发现。只有具有静态配置地址的设备才能连接。", "This is a major version upgrade.": "这是一个重大版本更新。", "This setting controls the free space required on the home (i.e., index database) disk.": "此设置控制主(例如索引数据库)磁盘上需要的可用空间。", "Time": "时间", "Time the item was last modified": "该项最近修改的时间", + "Today": "Today", "Trash Can File Versioning": "回收站式版本控制", + "Twitter": "Twitter", "Type": "类型", "UNIX Permissions": "UNIX权限", "Unavailable": "无效", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "若您在本机添加新设备,记住您也必须在这个新设备上添加本机。", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "若你添加了新文件夹,记住文件夹 ID 是用以在不同设备间建立联系的。在不同设备间拥有相同 ID 的文件夹将会被同步。且文件夹 ID 区分大小写。", "Yes": "是", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "您也可以从这些附近的设备中选择:", "You can change your choice at any time in the Settings dialog.": "您可以在任何时候在设置对话框中更改选择。", "You can read more about the two release channels at the link below.": "您可以从以下链接读取更多关于两个发行渠道的信息。", @@ -436,6 +452,10 @@ "full documentation": "完整文档", "items": "条目", "seconds": "秒", + "theme-name-black": "黑色", + "theme-name-dark": "深色", + "theme-name-default": "默认", + "theme-name-light": "浅色", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} 想将 “{{folder}}” 文件夹共享给您。", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} 想要共享 \"{{folderlabel}}\" ({{folder}}) 文件夹给您。", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}}可能会重新引入此设备。" diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-zh-HK.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-zh-HK.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-zh-HK.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-zh-HK.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "新增資料夾", "Add Remote Device": "新增遠程設備", "Add devices from the introducer to our device list, for mutually shared folders.": "將這個設備上那些,跟本機有著共同文件夾的「遠程設備」,都添加到本機的「遠程設備」列表。", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "新增新文件夾?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "另外,完整重新掃瞄的間隔將增大(時間 60,以新的默認 1 小時為例)。你也可以在選擇「否」後手動配置每個文件夾的時間。", "Address": "地址", @@ -18,13 +19,16 @@ "Advanced": "高級", "Advanced Configuration": "高級配置", "All Data": "所有資料", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.", "Allow Anonymous Usage Reporting?": "允許匿名使用報告?", "Allowed Networks": "允許的網絡", "Alphabetic": "字母順序", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "外部命令接管了版本控制。該外部命令必須自行從共享文件夾中刪除該文件。如果此應用程序的路徑包含空格,應該用半角引號括起來。", "Anonymous Usage Reporting": "匿名使用報告", "Anonymous usage report format has changed. Would you like to move to the new format?": "匿名使用情況的報告格式已經變更。是否要遷移到新的格式?", + "Apply": "Apply", "Are you sure you want to continue?": "Are you sure you want to continue?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "Are you sure you want to permanently delete all these files?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "版權所有©2014-2019以下貢獻者:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "正在創建忽略模式,覆蓋位於 {{path}} 的已有文件。", "Currently Shared With Devices": "當前設備已共享", + "Custom Range": "Custom Range", "Danger!": "危險!", "Debugging Facilities": "調試功能", "Default Configuration": "Default Configuration", @@ -126,6 +131,7 @@ "Error": "錯誤", "External File Versioning": "外部版本控制", "Failed Items": "失敗的項目", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "設置失敗,正在重試。", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "如果本機沒有配置IPv6,則無法連接IPv6服務器是正常的。", @@ -168,6 +174,7 @@ "Ignore": "忽略", "Ignore Patterns": "忽略模式", "Ignore Permissions": "忽略文件權限", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "已忽略的設備", "Ignored Folders": "已忽略的文件夾", "Ignored at": "已忽略於", @@ -179,6 +186,9 @@ "Keep Versions": "保留版本數量", "LDAP": "LDAP", "Largest First": "大文件優先", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "最後掃瞄", "Last seen": "最後可見", "Latest Change": "最後更改", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "選擇與該設備共享的文件夾。", "Send & Receive": "發送與接收", "Send Only": "僅發送", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "設置", "Share": "共享", "Share Folder": "共享文件夾", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "傳輸速度限制為非負整數(0 表示不限制)", "The rescan interval must be a non-negative number of seconds.": "掃瞄間隔單位為秒,且不能為負數。", "There are no devices to share this folder with.": "沒有設備共享此文件夾", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "沒有與此設備共享的文件夾。", "They are retried automatically and will be synced when the error is resolved.": "系統將會自動重試,當錯誤被解決時,它們將會被同步。", "This Device": "當前設備", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "這會讓駭客能夠輕而易舉地訪問及修改您的文件。", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "這是一個重大版本更新。", "This setting controls the free space required on the home (i.e., index database) disk.": "此設置控制主(例如索引數據庫)磁盤上需要的可用空間。", "Time": "時間", "Time the item was last modified": "該項最近修改的時間", + "Today": "Today", "Trash Can File Versioning": "回收站式版本控制", + "Twitter": "Twitter", "Type": "類型", "UNIX Permissions": "UNIX權限", "Unavailable": "無效", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "若您在本機添加新設備,記住您也必須在這個新設備上添加本機。", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "若你添加了新文件夾,記住文件夾 ID 是用以在不同設備間建立聯繫的。在不同設備間擁有相同 ID 的文件夾將會被同步。且文件夾 ID 區分大小寫。", "Yes": "是", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "您也可以從這些附近的設備中選擇:", "You can change your choice at any time in the Settings dialog.": "您可以在任何時候在設置對話框中更改選擇。", "You can read more about the two release channels at the link below.": "您可以從以下鏈接讀取更多關於兩個發行渠道的信息。", @@ -436,6 +452,10 @@ "full documentation": "完整文檔", "items": "條目", "seconds": "秒", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} 想將 「{{folder}}」 文件夾共享給您。", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} 想要共享 \"{{folderlabel}}\" ({{folder}}) 文件夾給您。", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} 可能會重新引入此設備。" diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/lang-zh-TW.json syncthing-1.19.2~ds1/gui/default/assets/lang/lang-zh-TW.json --- syncthing-1.18.6~ds1/gui/default/assets/lang/lang-zh-TW.json 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/lang-zh-TW.json 2022-04-05 03:32:50.000000000 +0000 @@ -11,6 +11,7 @@ "Add Folder": "添加資料夾", "Add Remote Device": "新增遠端裝置", "Add devices from the introducer to our device list, for mutually shared folders.": "對於共享的資料夾,匯入引入者的裝置清單。", + "Add ignore patterns": "Add ignore patterns", "Add new folder?": "新增資料夾?", "Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No.": "另外,完整地重新掃瞄的間隔將增大(時間 60,例如:新的預設值為 1 小時)。您也可以在選擇「否」後,手動配置每個資料夾的時間間隔。", "Address": "位址", @@ -18,13 +19,16 @@ "Advanced": "進階", "Advanced Configuration": "進階配置", "All Data": "全部資料", + "All Time": "All Time", "All folders shared with this device must be protected by a password, such that all sent data is unreadable without the given password.": "所有與此裝置分享的資料夾必須使用密碼保護起來,如此一來,沒有提供密碼將無法閱覽資料。", "Allow Anonymous Usage Reporting?": "允許回報匿名數據?", "Allowed Networks": "允許的網路", "Alphabetic": "字母順序", + "Altered by ignoring deletes.": "Altered by ignoring deletes.", "An external command handles the versioning. It has to remove the file from the shared folder. If the path to the application contains spaces, it should be quoted.": "外部指令接管了版本控制。它必須將檔案自分享資料夾中移除。如果應用程式的路徑包含了空格,則必須使用雙引號刮起。", "Anonymous Usage Reporting": "匿名數據回報", "Anonymous usage report format has changed. Would you like to move to the new format?": "匿名數據回報格式已經變更,想要移至新格式嗎?", + "Apply": "Apply", "Are you sure you want to continue?": "您確定要繼續嗎?", "Are you sure you want to override all remote changes?": "Are you sure you want to override all remote changes?", "Are you sure you want to permanently delete all these files?": "確認永久刪除檔案?", @@ -64,6 +68,7 @@ "Copyright © 2014-2019 the following Contributors:": "Copyright © 2014-2019 下列貢獻者:", "Creating ignore patterns, overwriting an existing file at {%path%}.": "建立忽略樣式,覆蓋已存在的 {{path}}。", "Currently Shared With Devices": "目前與裝置共享", + "Custom Range": "Custom Range", "Danger!": "危險!", "Debugging Facilities": "除錯工具", "Default Configuration": "預設配置", @@ -126,6 +131,7 @@ "Error": "錯誤", "External File Versioning": "外部的檔案版本控制", "Failed Items": "失敗的項目", + "Failed to load file versions.": "Failed to load file versions.", "Failed to load ignore patterns.": "Failed to load ignore patterns.", "Failed to setup, retrying": "無法設定,正在重試", "Failure to connect to IPv6 servers is expected if there is no IPv6 connectivity.": "若沒有 IPv6 連線能力,則無法連接 IPv6 伺服器為正常現象。", @@ -168,6 +174,7 @@ "Ignore": "忽略", "Ignore Patterns": "忽略樣式", "Ignore Permissions": "忽略權限", + "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.": "Ignore patterns can only be added after the folder is created. If checked, an input field to enter ignore patterns will be presented after saving.", "Ignored Devices": "已忽略的裝置", "Ignored Folders": "已忽略的資料夾", "Ignored at": "忽略時間", @@ -179,6 +186,9 @@ "Keep Versions": "保留歷史版本數", "LDAP": "LDAP", "Largest First": "最大的優先", + "Last 30 Days": "Last 30 Days", + "Last 7 Days": "Last 7 Days", + "Last Month": "Last Month", "Last Scan": "最後掃描", "Last seen": "最後發現時間", "Latest Change": "最近變動", @@ -289,6 +299,7 @@ "Select the folders to share with this device.": "選擇要共享這個資料夾的裝置。", "Send & Receive": "傳送及接收", "Send Only": "僅傳送", + "Set Ignores on Added Folder": "Set Ignores on Added Folder", "Settings": "設定", "Share": "共享", "Share Folder": "共享資料夾", @@ -369,16 +380,20 @@ "The rate limit must be a non-negative number (0: no limit)": "限制速率必須為非負的數字 (0: 不設限制)", "The rescan interval must be a non-negative number of seconds.": "重新掃描間隔必須為一個非負數的秒數。", "There are no devices to share this folder with.": "沒有裝置可以共享此資料夾。", + "There are no file versions to restore.": "There are no file versions to restore.", "There are no folders to share with this device.": "沒有資料夾分享給此裝置。", "They are retried automatically and will be synced when the error is resolved.": "解決問題後,將會自動重試和同步。", "This Device": "本機", + "This Month": "This Month", "This can easily give hackers access to read and change any files on your computer.": "這能給駭客輕易的來讀取、變更電腦中的任何檔案。", "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.": "This device cannot automatically discover other devices or announce its own address to be found by others. Only devices with statically configured addresses can connect.", "This is a major version upgrade.": "這是一個重大版本更新。", "This setting controls the free space required on the home (i.e., index database) disk.": "此設定控制家目錄(即:索引資料庫)的必須可用空間。", "Time": "時間", "Time the item was last modified": "前次修改時間", + "Today": "Today", "Trash Can File Versioning": "垃圾筒式檔案版本控制", + "Twitter": "Twitter", "Type": "類型", "UNIX Permissions": "UNIX 權限", "Unavailable": "無法使用", @@ -422,6 +437,7 @@ "When adding a new device, keep in mind that this device must be added on the other side too.": "當新增一個裝置時,務必記住,當前的這個裝置也同樣必須被添加至另一邊。", "When adding a new folder, keep in mind that the Folder ID is used to tie folders together between devices. They are case sensitive and must match exactly between all devices.": "當新增一個資料夾時,請記住,資料夾識別碼是用來將裝置之間的資料夾綁定在一起的。它們有區分大小寫,且必須在所有裝置之間完全相同。", "Yes": "是", + "Yesterday": "Yesterday", "You can also select one of these nearby devices:": "您亦可從這些附近裝置中擇一:", "You can change your choice at any time in the Settings dialog.": "您可以在設定對話框中隨時更改您的選擇。", "You can read more about the two release channels at the link below.": "您可於下方連結閱讀更多關於發行頻道的說明。", @@ -436,6 +452,10 @@ "full documentation": "完整說明文件", "items": "個項目", "seconds": "秒", + "theme-name-black": "Black", + "theme-name-dark": "Dark", + "theme-name-default": "Default", + "theme-name-light": "Light", "{%device%} wants to share folder \"{%folder%}\".": "{{device}} 想要共享資料夾 \"{{folder}}\"。", "{%device%} wants to share folder \"{%folderlabel%}\" ({%folder%}).": "{{device}} 想要共享資料夾 \"{{folderlabel}}\" ({{folder}})。", "{%reintroducer%} might reintroduce this device.": "{{reintroducer}} 可能會重新引入此裝置。" diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/prettyprint.js syncthing-1.19.2~ds1/gui/default/assets/lang/prettyprint.js --- syncthing-1.18.6~ds1/gui/default/assets/lang/prettyprint.js 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/prettyprint.js 2022-04-05 03:32:50.000000000 +0000 @@ -1 +1 @@ -var langPrettyprint = {"bg":"Bulgarian","ca@valencia":"Catalan (Valencian)","cs":"Czech","da":"Danish","de":"German","el":"Greek","en":"English","en-AU":"English (Australia)","en-GB":"English (United Kingdom)","eo":"Esperanto","es":"Spanish","es-ES":"Spanish (Spain)","eu":"Basque","fi":"Finnish","fr":"French","fy":"Western Frisian","hu":"Hungarian","id":"Indonesian","it":"Italian","ja":"Japanese","ko-KR":"Korean (Korea)","lt":"Lithuanian","nb":"Norwegian Bokmål","nl":"Dutch","pl":"Polish","pt-BR":"Portuguese (Brazil)","pt-PT":"Portuguese (Portugal)","ro-RO":"Romanian (Romania)","ru":"Russian","sk":"Slovak","sv":"Swedish","tr":"Turkish","uk":"Ukrainian","zh-CN":"Chinese (China)","zh-HK":"Chinese (Hong Kong)","zh-TW":"Chinese (Taiwan)"} +var langPrettyprint = {"bg":"Bulgarian","ca@valencia":"Catalan (Valencian)","cs":"Czech","da":"Danish","de":"German","el":"Greek","en":"English","en-AU":"English (Australia)","en-GB":"English (United Kingdom)","eo":"Esperanto","es":"Spanish","es-ES":"Spanish (Spain)","eu":"Basque","fi":"Finnish","fr":"French","fy":"Western Frisian","hu":"Hungarian","id":"Indonesian","it":"Italian","ja":"Japanese","ko-KR":"Korean (Korea)","lt":"Lithuanian","nb":"Norwegian Bokmål","nl":"Dutch","pl":"Polish","pt-BR":"Portuguese (Brazil)","pt-PT":"Portuguese (Portugal)","ro-RO":"Romanian (Romania)","ru":"Russian","sk":"Slovak","sl":"Slovenian","sv":"Swedish","tr":"Turkish","uk":"Ukrainian","zh-CN":"Chinese (China)","zh-HK":"Chinese (Hong Kong)","zh-TW":"Chinese (Taiwan)"} diff -Nru syncthing-1.18.6~ds1/gui/default/assets/lang/valid-langs.js syncthing-1.19.2~ds1/gui/default/assets/lang/valid-langs.js --- syncthing-1.18.6~ds1/gui/default/assets/lang/valid-langs.js 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/assets/lang/valid-langs.js 2022-04-05 03:32:50.000000000 +0000 @@ -1 +1 @@ -var validLangs = ["bg","ca@valencia","cs","da","de","el","en","en-AU","en-GB","eo","es","es-ES","eu","fi","fr","fy","hu","id","it","ja","ko-KR","lt","nb","nl","pl","pt-BR","pt-PT","ro-RO","ru","sk","sv","tr","uk","zh-CN","zh-HK","zh-TW"] +var validLangs = ["bg","ca@valencia","cs","da","de","el","en","en-AU","en-GB","eo","es","es-ES","eu","fi","fr","fy","hu","id","it","ja","ko-KR","lt","nb","nl","pl","pt-BR","pt-PT","ro-RO","ru","sk","sl","sv","tr","uk","zh-CN","zh-HK","zh-TW"] diff -Nru syncthing-1.18.6~ds1/gui/default/index.html syncthing-1.19.2~ds1/gui/default/index.html --- syncthing-1.18.6~ds1/gui/default/index.html 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/index.html 2022-04-05 03:32:50.000000000 +0000 @@ -23,9 +23,9 @@ + - @@ -89,7 +89,7 @@
  • - + @@ -108,7 +108,7 @@
  •  Restart
  • - +  Help
  • @@ -430,9 +430,10 @@
    - Altered by ignoring deletes. -
    -  Help + Altered by ignoring deletes. + +  Help +
    @@ -891,13 +892,13 @@ diff -Nru syncthing-1.18.6~ds1/gui/default/syncthing/core/aboutModalView.html syncthing-1.19.2~ds1/gui/default/syncthing/core/aboutModalView.html --- syncthing-1.18.6~ds1/gui/default/syncthing/core/aboutModalView.html 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/syncthing/core/aboutModalView.html 2022-04-05 03:32:50.000000000 +0000 @@ -19,7 +19,7 @@

    The Syncthing Authors

    -Jakob Borg, Audrius Butkevicius, Jesse Lucas, Simon Frei, Alexander Graf, Alexandre Viau, Anderson Mesquita, André Colomb, Antony Male, Ben Schulz, Caleb Callaway, Daniel Harte, Evgeny Kuznetsov, Lars K.W. Gohlke, Lode Hoste, Michael Ploujnikov, Nate Morrison, Philippe Schommers, Ryan Sullivan, Sergey Mishin, Stefan Tatschner, Tomasz Wilczyński, Wulf Weich, dependabot-preview[bot], greatroar, Aaron Bieber, Adam Piggott, Adel Qalieh, Alan Pope, Alberto Donato, Alessandro G., Alex Lindeman, Alex Xu, Aman Gupta, Andrew Dunham, Andrew Rabert, Andrey D, Anjan Momi, Antoine Lamielle, Anur, Aranjedeath, Arkadiusz Tymiński, Arthur Axel fREW Schmidt, Artur Zubilewicz, Aurélien Rainone, BAHADIR YILMAZ, Bart De Vries, Ben Curthoys, Ben Shepherd, Ben Sidhom, Benedikt Heine, Benedikt Morbach, Benjamin Nater, Benno Fünfstück, Benny Ng, Boqin Qin, Boris Rybalkin, Brandon Philips, Brendan Long, Brian R. Becker, Carsten Hagemann, Cathryne Linenweaver, Cedric Staniewski, Chih-Hsuan Yen, Choongkyu, Chris Howie, Chris Joel, Chris Tonkinson, Christian Prescott, Colin Kennedy, Cromefire_, Cyprien Devillez, Dale Visser, Dan, Daniel Bergmann, Daniel Martí, Darshil Chanpura, David Rimmer, Denis A., Dennis Wilson, Dmitry Saveliev, Domenic Horner, Dominik Heidler, Elias Jarlebring, Elliot Huffman, Emil Hessman, Eric Lesiuta, Erik Meitner, Federico Castagnini, Felix Ableitner, Felix Lampe, Felix Unterpaintner, Francois-Xavier Gsell, Frank Isemann, Gahl Saraf, Gilli Sigurdsson, Gleb Sinyavskiy, Graham Miln, Han Boetes, HansK-p, Harrison Jones, Heiko Zuerker, Hugo Locurcio, Iain Barnett, Ian Johnson, Ikko Ashimine, Ilya Brin, Iskander Sharipov, Jaakko Hannikainen, Jacek Szafarkiewicz, Jack Croft, Jacob, Jake Peterson, James Patterson, Jaroslav Lichtblau, Jaroslav Malec, Jaya Chithra, Jens Diemer, Jerry Jacobs, Jochen Voss, Johan Andersson, Johan Vromans, John Rinehart, Jonas Thelemann, Jonathan, Jonathan Cross, Jonta, Jose Manuel Delicado, Jörg Thalheim, Jędrzej Kula, Kalle Laine, Karol Różycki, Keith Turner, Kelong Cong, Ken'ichi Kamada, Kevin Allen, Kevin Bushiri, Kevin White, Jr., Kurt Fitzner, Lars Lehtonen, Laurent Arnoud, Laurent Etiemble, Leo Arias, Liu Siyuan, Lord Landon Agahnim, Lukas Lihotzki, Majed Abdulaziz, Marc Laporte, Marc Pujol, Marcin Dziadus, Marcus Legendre, Mario Majila, Mark Pulford, Mateusz Naściszewski, Mateusz Ż, Matic Potočnik, Matt Burke, Matt Robenolt, Matteo Ruina, Maurizio Tomasi, Max, Max Schulze, MaximAL, Maxime Thirouin, MichaIng, Michael Jephcote, Michael Rienstra, Michael Tilli, Mike Boone, MikeLund, MikolajTwarog, Mingxuan Lin, Nicholas Rishel, Nico Stapelbroek, Nicolas Braud-Santoni, Nicolas Perraut, Niels Peter Roest, Nils Jakobi, NinoM4ster, Nitroretro, NoLooseEnds, Oliver Freyermuth, Otiel, Oyebanji Jacob Mayowa, Pablo, Pascal Jungblut, Paul Brit, Pawel Palenica, Paweł Rozlach, Peter Badida, Peter Dave Hello, Peter Hoeg, Peter Marquardt, Phani Rithvij, Phil Davis, Phill Luby, Pier Paolo Ramon, Piotr Bejda, Pramodh KP, Quentin Hibon, Rahmi Pruitt, Richard Hartmann, Robert Carosi, Roberto Santalla, Robin Schoonover, Roman Zaynetdinov, Ross Smith II, Ruslan Yevdokymov, Sacheendra Talluri, Scott Klupfel, Shaarad Dalvi, Simon Mwepu, Sly_tom_cat, Stefan Kuntz, Steven Eckhoff, Suhas Gundimeda, Taylor Khan, Thomas Hipp, Tim Abell, Tim Howes, Tobias Klauser, Tobias Nygren, Tobias Tom, Tom Jakubowski, Tommy Thorn, Tully Robinson, Tyler Brazier, Tyler Kropp, Unrud, Veeti Paananen, Victor Buinsky, Vil Brekin, Vladimir Rusinov, William A. Kennington III, Xavier O., Yannic A., andresvia, andyleap, boomsquared, bt90, chenrui, chucic, deepsource-autofix[bot], dependabot[bot], derekriemer, desbma, georgespatton, ghjklw, janost, jaseg, jelle van der Waa, jtagcat, klemens, marco-m, mclang, mv1005, otbutz, overkill, perewa, rubenbe, wangguoliang, wouter bolsterlee, xarx00, xjtdy888, 佛跳墙 +Jakob Borg, Audrius Butkevicius, Jesse Lucas, Simon Frei, Alexander Graf, Alexandre Viau, Anderson Mesquita, André Colomb, Antony Male, Ben Schulz, Caleb Callaway, Daniel Harte, Evgeny Kuznetsov, Lars K.W. Gohlke, Lode Hoste, Michael Ploujnikov, Nate Morrison, Philippe Schommers, Ryan Sullivan, Sergey Mishin, Stefan Tatschner, Syncthing Release Automation, Tomasz Wilczyński, Wulf Weich, dependabot-preview[bot], dependabot[bot], greatroar, Aaron Bieber, Adam Piggott, Adel Qalieh, Alan Pope, Alberto Donato, Alessandro G., Alex Lindeman, Alex Xu, Aman Gupta, Andrew Dunham, Andrew Meyer, Andrew Rabert, Andrey D, Anjan Momi, Antoine Lamielle, Anur, Aranjedeath, Arkadiusz Tymiński, Arthur Axel fREW Schmidt, Artur Zubilewicz, Aurélien Rainone, BAHADIR YILMAZ, Bart De Vries, Ben Curthoys, Ben Shepherd, Ben Sidhom, Benedikt Heine, Benedikt Morbach, Benjamin Nater, Benno Fünfstück, Benny Ng, Boqin Qin, Boris Rybalkin, Brandon Philips, Brendan Long, Brian R. Becker, Carsten Hagemann, Cathryne Linenweaver, Cedric Staniewski, Chih-Hsuan Yen, Choongkyu, Chris Howie, Chris Joel, Chris Tonkinson, Christian Prescott, Colin Kennedy, Cromefire_, Cyprien Devillez, Dale Visser, Dan, Daniel Barczyk, Daniel Bergmann, Daniel Martí, Darshil Chanpura, David Rimmer, Denis A., Dennis Wilson, Dmitry Saveliev, Domenic Horner, Dominik Heidler, Elias Jarlebring, Elliot Huffman, Emil Hessman, Eric Lesiuta, Erik Meitner, Federico Castagnini, Felix Ableitner, Felix Lampe, Felix Unterpaintner, Francois-Xavier Gsell, Frank Isemann, Gahl Saraf, Gilli Sigurdsson, Gleb Sinyavskiy, Graham Miln, Han Boetes, HansK-p, Harrison Jones, Heiko Zuerker, Hugo Locurcio, Iain Barnett, Ian Johnson, Ikko Ashimine, Ilya Brin, Iskander Sharipov, Jaakko Hannikainen, Jacek Szafarkiewicz, Jack Croft, Jacob, Jake Peterson, James Patterson, Jaroslav Lichtblau, Jaroslav Malec, Jaya Chithra, Jens Diemer, Jerry Jacobs, Jochen Voss, Johan Andersson, Johan Vromans, John Rinehart, Jonas Thelemann, Jonathan, Jonathan Cross, Jonta, Jose Manuel Delicado, Jörg Thalheim, Jędrzej Kula, Kalle Laine, Karol Różycki, Kebin Liu, Keith Turner, Kelong Cong, Ken'ichi Kamada, Kevin Allen, Kevin Bushiri, Kevin White, Jr., Kurt Fitzner, Lars Lehtonen, Laurent Arnoud, Laurent Etiemble, Leo Arias, Liu Siyuan, Lord Landon Agahnim, Lukas Lihotzki, Majed Abdulaziz, Marc Laporte, Marc Pujol, Marcin Dziadus, Marcus Legendre, Mario Majila, Mark Pulford, Mateusz Naściszewski, Mateusz Ż, Matic Potočnik, Matt Burke, Matt Robenolt, Matteo Ruina, Maurizio Tomasi, Max, Max Schulze, MaximAL, Maxime Thirouin, MichaIng, Michael Jephcote, Michael Rienstra, Michael Tilli, Mike Boone, MikeLund, MikolajTwarog, Mingxuan Lin, Nicholas Rishel, Nico Stapelbroek, Nicolas Braud-Santoni, Nicolas Perraut, Niels Peter Roest, Nils Jakobi, NinoM4ster, Nitroretro, NoLooseEnds, Oliver Freyermuth, Otiel, Oyebanji Jacob Mayowa, Pablo, Pascal Jungblut, Paul Brit, Pawel Palenica, Paweł Rozlach, Peter Badida, Peter Dave Hello, Peter Hoeg, Peter Marquardt, Phani Rithvij, Phil Davis, Phill Luby, Pier Paolo Ramon, Piotr Bejda, Pramodh KP, Quentin Hibon, Rahmi Pruitt, Richard Hartmann, Robert Carosi, Roberto Santalla, Robin Schoonover, Roman Zaynetdinov, Ross Smith II, Ruslan Yevdokymov, Ryan Qian, Sacheendra Talluri, Scott Klupfel, Shaarad Dalvi, Simon Mwepu, Sly_tom_cat, Stefan Kuntz, Steven Eckhoff, Suhas Gundimeda, Syncthing Automation, Taylor Khan, Thomas Hipp, Tim Abell, Tim Howes, Tobias Klauser, Tobias Nygren, Tobias Tom, Tom Jakubowski, Tommy Thorn, Tully Robinson, Tyler Brazier, Tyler Kropp, Unrud, Veeti Paananen, Victor Buinsky, Vil Brekin, Vladimir Rusinov, William A. Kennington III, Xavier O., Yannic A., andresvia, andyleap, boomsquared, bt90, chenrui, chucic, deepsource-autofix[bot], derekriemer, desbma, georgespatton, ghjklw, ignacy123, janost, jaseg, jelle van der Waa, jtagcat, klemens, marco-m, mclang, mv1005, otbutz, overkill, perewa, rubenbe, villekalliomaki, wangguoliang, wouter bolsterlee, xarx00, xjtdy888, 佛跳墙

    @@ -37,7 +37,7 @@
  • AudriusButkevicius/go-nat-pmp, Copyright © 2013 John Howard Palevich.
  • AudriusButkevicius/recli, Copyright © 2019 Audrius Butkevicius.
  • beorn7/perks, Copyright © 2013 Blake Mizerany.
  • -
  • bkaradzic/go-lz4, Copyright © 2011-2012 Branimir Karadzic, 2013 Damian Gryski.
  • +
  • pierrec/lz4, Copyright © 2015 Pierre Curto.
  • calmh/du, Public domain.
  • calmh/xdr, Copyright © 2014 Jakob Borg.
  • chmduquesne/rollinghash, Copyright © 2015 Christophe-Marie Duquesne.
  • diff -Nru syncthing-1.18.6~ds1/gui/default/syncthing/core/localeService.js syncthing-1.19.2~ds1/gui/default/syncthing/core/localeService.js --- syncthing-1.18.6~ds1/gui/default/syncthing/core/localeService.js 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/syncthing/core/localeService.js 2022-04-05 03:32:50.000000000 +0000 @@ -99,6 +99,7 @@ function useLocale(language, save2Storage) { if (language) { $translate.use(language).then(function () { + document.documentElement.setAttribute("lang", language); if (save2Storage && _localStorage) _localStorage[_SYNLANG] = language; }); diff -Nru syncthing-1.18.6~ds1/gui/default/syncthing/core/notifications.html syncthing-1.19.2~ds1/gui/default/syncthing/core/notifications.html --- syncthing-1.18.6~ds1/gui/default/syncthing/core/notifications.html 2022-01-11 06:33:24.000000000 +0000 +++ syncthing-1.19.2~ds1/gui/default/syncthing/core/notifications.html 2022-04-05 03:32:50.000000000 +0000 @@ -28,7 +28,7 @@ You can read more about the two release channels at the link below.

    You can change your choice at any time in the Settings dialog.

    -

     Learn more

    +

     Learn more

    Continuously watching for changes is now available within Syncthing. This will detect changes on disk and issue a scan on only the modified paths. The benefits are that changes are propagated quicker and that less full scans are required.

    -

     Learn more

    +

     Learn more

    Do you want to enable watching for changes for all your folders?
    Additionally the full rescan interval will be increased (times 60, i.e. new default of 1h). You can also configure it manually for every folder later after choosing No. @@ -77,7 +77,7 @@

    Syncthing now supports automatically reporting crashes to the developers. This feature is enabled by default.

    -

     Learn more

    +

     Learn more