From 19fa26a531d05270a240ede6fe982924c83eafb1 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Micha=C3=ABl=20Meinertzhagen?= Date: Sat, 7 Nov 2020 12:18:44 +0100 Subject: [PATCH 01/42] Update requirements.txt Bump Pillow version to 8.0.1 Pillow version >= 8.0 is mandatory for python3.9 (default python version on current Ubuntu LTS 20.04 --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index 59f675e3..d1e00904 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,7 +1,7 @@ Django==2.2.11 django-agnocomplete==1.0.0 django-compressor==2.4 -Pillow==6.2.2 +Pillow==8.0.1 psycopg2==2.8.4 requests==2.23.0 social-auth-core==3.3.2 From d7d2c1f4336ba34c798b72e1832e9e28ac5f8212 Mon Sep 17 00:00:00 2001 From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com> Date: Sun, 8 Nov 2020 08:25:41 +0000 Subject: [PATCH 02/42] Bump django from 2.2.11 to 2.2.13 Bumps [django](https://github.com/django/django) from 2.2.11 to 2.2.13. - [Release notes](https://github.com/django/django/releases) - [Commits](https://github.com/django/django/compare/2.2.11...2.2.13) Signed-off-by: dependabot[bot] --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index d1e00904..9aa63086 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,4 +1,4 @@ -Django==2.2.11 +Django==2.2.13 django-agnocomplete==1.0.0 django-compressor==2.4 Pillow==8.0.1 From b29adaa53f2cf764898fe53bceea66756a067e29 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 12:07:07 +0100 Subject: [PATCH 03/42] Minimal fallback handling in templating eg. {var|defaultvalue} cf #820 --- umap/static/umap/js/umap.core.js | 4 ++-- umap/static/umap/test/Util.js | 4 ++++ 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 1f3f8cbf..0bbdb6ea 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -126,14 +126,14 @@ L.Util.usableOption = function (options, option) { L.Util.greedyTemplate = function (str, data, ignore) { // Don't throw error if some key is missing - return str.replace(/\{ *([\w_\:\.]+) *\}/g, function (str, key) { + return str.replace(/\{ *([\w_\:\.]+)(\|([^\}]+))? *\}/g, function (str, key, _, fallback) { var path = key.split('.'), leaf = path.length - 1, value = data; for (var i = 0; i < path.length; i++) { value = value[path[i]] if (value === undefined) { if (ignore) value = str; - else value = ''; + else value = fallback || ''; break; } } diff --git a/umap/static/umap/test/Util.js b/umap/static/umap/test/Util.js index 03004efc..fd6b5ebf 100644 --- a/umap/static/umap/test/Util.js +++ b/umap/static/umap/test/Util.js @@ -166,6 +166,10 @@ describe('L.Util', function () { assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.foo}.', {}), 'A phrase with a .'); }); + it('should handle fallback value if any', function () { + assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.foo|default}.', {}), 'A phrase with a default.'); + }); + }); describe('#TextColorFromBackgroundColor', function () { From ec275d64fe9f835597c95cfacb329093a3fbd5e7 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 14:32:09 +0100 Subject: [PATCH 04/42] Deal with property fallback in templating eg. {prop1|prop2|"default"} cf #820 --- umap/static/umap/js/umap.core.js | 26 +++++++++++++++++--------- umap/static/umap/test/Util.js | 10 +++++++++- 2 files changed, 26 insertions(+), 10 deletions(-) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 0bbdb6ea..07bab3cc 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -125,17 +125,25 @@ L.Util.usableOption = function (options, option) { }; L.Util.greedyTemplate = function (str, data, ignore) { - // Don't throw error if some key is missing - return str.replace(/\{ *([\w_\:\.]+)(\|([^\}]+))? *\}/g, function (str, key, _, fallback) { - var path = key.split('.'), - leaf = path.length - 1, value = data; + function getValue(data, path) { + var value = data for (var i = 0; i < path.length; i++) { value = value[path[i]] - if (value === undefined) { - if (ignore) value = str; - else value = fallback || ''; - break; - } + if (value === undefined) break; + } + return value; + } + + return str.replace(/\{ *([\w_\:\."\|]+) *\}/g, function (str, key) { + var vars = key.split('|'), value, path; + for (var i = 0; i < vars.length; i++) { + path = vars[i]; + if (path.startsWith('"') && path.endsWith('"')) value = path.substring(1, path.length -1); // static default value. + else value = getValue(data, path.split('.')); + } + if (value === undefined) { + if (ignore) value = str; + else value = ''; } return value; }); diff --git a/umap/static/umap/test/Util.js b/umap/static/umap/test/Util.js index fd6b5ebf..d990028e 100644 --- a/umap/static/umap/test/Util.js +++ b/umap/static/umap/test/Util.js @@ -167,7 +167,15 @@ describe('L.Util', function () { }); it('should handle fallback value if any', function () { - assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.foo|default}.', {}), 'A phrase with a default.'); + assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.bar|"default"}.', {}), 'A phrase with a default.'); + }); + + it('should handle fallback var if any', function () { + assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.bar|fallback}.', {fallback: "default"}), 'A phrase with a default.'); + }); + + it('should handle multiple fallbacks', function () { + assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.bar|try.again|"default"}.', {}), 'A phrase with a default.'); }); }); From 3927a845a4e39b59796eb98b7c2d2bec14b9febc Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 15:10:13 +0100 Subject: [PATCH 05/42] Control search API URL from uMap config cf #842 --- umap/settings/base.py | 3 ++- umap/static/umap/js/umap.controls.js | 5 +++++ 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/umap/settings/base.py b/umap/settings/base.py index d244cbbe..baaa1c3c 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -191,7 +191,8 @@ ENABLE_ACCOUNT_LOGIN = False UMAP_ALLOW_ANONYMOUS = False UMAP_EXTRA_URLS = { 'routing': 'http://www.openstreetmap.org/directions?engine=osrm_car&route={lat},{lng}&locale={locale}#map={zoom}/{lat}/{lng}', # noqa - 'ajax_proxy': '/ajax-proxy/?url={url}&ttl={ttl}' + 'ajax_proxy': '/ajax-proxy/?url={url}&ttl={ttl}', + 'search': 'https://photon.komoot.io/api/?', } UMAP_KEEP_VERSIONS = 10 SITE_URL = "http://umap.org" diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index 7a5285d7..e522f540 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -891,6 +891,11 @@ L.U.LocateControl = L.Control.extend({ L.U.Search = L.PhotonSearch.extend({ + initialize: function (map, input, options) { + L.PhotonSearch.prototype.initialize.call(this, map, input, options); + this.options.url = map.options.urls.search; + }, + onBlur: function (e) { // Overrided because we don't want to hide the results on blur. this.fire('blur'); From 3089b71705ec3959e895b8e4bf3caabb9a7e8ee6 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 16:49:23 +0100 Subject: [PATCH 06/42] Prevent to redraw a marker when setting invalid latlng from edit form cf #799 --- umap/static/umap/js/umap.core.js | 4 ++++ umap/static/umap/js/umap.features.js | 1 + 2 files changed, 5 insertions(+) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 07bab3cc..9b9d5e01 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -546,3 +546,7 @@ L.U.Orderable = L.Evented.extend({ } }); + +L.LatLng.prototype.isValid = function () { + return !isNaN(this.lat) && !isNaN(this.lng); +} diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index 54a0394c..ce17aa0d 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -585,6 +585,7 @@ L.U.Marker = L.Marker.extend({ ]; var builder = new L.U.FormBuilder(this, coordinatesOptions, { callback: function () { + if (!this._latlng.isValid()) return; this._redraw(); this.bringToCenter(); }, From 70eec175557a58644ce5415c66080f87d62e5d9d Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 17:39:01 +0100 Subject: [PATCH 07/42] fix changing map ownership broken cf #780 --- umap/static/umap/js/umap.permissions.js | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.permissions.js b/umap/static/umap/js/umap.permissions.js index be7f9d51..6d6cc977 100644 --- a/umap/static/umap/js/umap.permissions.js +++ b/umap/static/umap/js/umap.permissions.js @@ -36,11 +36,11 @@ L.U.MapPermissions = L.Class.extend({ }, isOwner: function () { - return this.map.options.user && this.options.owner && this.map.options.user.id == this.options.owner.id; + return this.map.options.user && this.map.options.permissions.owner && this.map.options.user.id == this.map.options.permissions.owner.id; }, isAnonymousMap: function () { - return !this.options.owner; + return !this.map.options.permissions.owner; }, getMap: function () { @@ -111,6 +111,7 @@ L.U.MapPermissions = L.Class.extend({ data: formData, context: this, callback: function (data) { + this.commit(); this.isDirty = false; this.map.continueSaving(); } @@ -133,6 +134,10 @@ L.U.MapPermissions = L.Class.extend({ owner.textContent = this.options.owner.name; ownerContainer.appendChild(owner); } + }, + + commit: function () { + L.Util.extend(this.map.options.permissions, this.options); } }); From eeb58a8c21ed2a1dbda21298507691bf308f1a66 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 17:43:57 +0100 Subject: [PATCH 08/42] Display an error message when latlng is invalid --- umap/static/umap/js/umap.features.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.features.js b/umap/static/umap/js/umap.features.js index ce17aa0d..f4f51ae2 100644 --- a/umap/static/umap/js/umap.features.js +++ b/umap/static/umap/js/umap.features.js @@ -585,7 +585,7 @@ L.U.Marker = L.Marker.extend({ ]; var builder = new L.U.FormBuilder(this, coordinatesOptions, { callback: function () { - if (!this._latlng.isValid()) return; + if (!this._latlng.isValid()) return this.map.ui.alert({content: L._('Invalid latitude or longitude'), level: 'error'}); this._redraw(); this.bringToCenter(); }, From 1afc366e11b52893ed3b13c1b81fe943a5ad9ed4 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 17:52:45 +0100 Subject: [PATCH 09/42] Do not change zoom when locating user cf #763 --- umap/static/umap/js/umap.controls.js | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/static/umap/js/umap.controls.js b/umap/static/umap/js/umap.controls.js index e522f540..cbb31dfe 100644 --- a/umap/static/umap/js/umap.controls.js +++ b/umap/static/umap/js/umap.controls.js @@ -841,6 +841,7 @@ L.U.LocateControl = L.Control.extend({ activate: function () { this._map.locate({ setView: true, + maxZoom: this._map.getZoom(), enableHighAccuracy: true, watch: true }); From 1770c31de5c49beca02295de769bec7af8c14d2c Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 8 Nov 2020 17:57:37 +0100 Subject: [PATCH 10/42] i18n --- umap/locale/es/LC_MESSAGES/django.mo | Bin 7250 -> 7282 bytes umap/locale/es/LC_MESSAGES/django.po | 22 +- umap/locale/et/LC_MESSAGES/django.mo | Bin 6142 -> 6166 bytes umap/locale/et/LC_MESSAGES/django.po | 14 +- umap/locale/nl/LC_MESSAGES/django.mo | Bin 461 -> 5942 bytes umap/locale/nl/LC_MESSAGES/django.po | 155 +++++------ umap/locale/sr/LC_MESSAGES/django.mo | Bin 6341 -> 8900 bytes umap/locale/sr/LC_MESSAGES/django.po | 44 ++-- umap/locale/tr/LC_MESSAGES/django.mo | Bin 3481 -> 5879 bytes umap/locale/tr/LC_MESSAGES/django.po | 67 ++--- umap/static/umap/locale/am_ET.js | 3 +- umap/static/umap/locale/cs_CZ.js | 3 +- umap/static/umap/locale/da.js | 3 +- umap/static/umap/locale/de.js | 3 +- umap/static/umap/locale/el.js | 3 +- umap/static/umap/locale/es.js | 182 ++++++------- umap/static/umap/locale/es.json | 184 ++++++------- umap/static/umap/locale/et.js | 194 +++++++------- umap/static/umap/locale/et.json | 196 +++++++------- umap/static/umap/locale/fa_IR.json | 6 +- umap/static/umap/locale/fr.js | 3 +- umap/static/umap/locale/gl.js | 3 +- umap/static/umap/locale/hu.js | 3 +- umap/static/umap/locale/is.js | 3 +- umap/static/umap/locale/ja.js | 3 +- umap/static/umap/locale/lt.js | 3 +- umap/static/umap/locale/nl.js | 376 +++++++++++++-------------- umap/static/umap/locale/nl.json | 376 +++++++++++++-------------- umap/static/umap/locale/no.js | 3 +- umap/static/umap/locale/pl.js | 3 +- umap/static/umap/locale/pt_BR.js | 3 +- umap/static/umap/locale/pt_PT.js | 3 +- umap/static/umap/locale/sk_SK.js | 3 +- umap/static/umap/locale/sl.js | 3 +- umap/static/umap/locale/uk_UA.js | 3 +- umap/static/umap/locale/zh_TW.js | 3 +- 36 files changed, 947 insertions(+), 926 deletions(-) diff --git a/umap/locale/es/LC_MESSAGES/django.mo b/umap/locale/es/LC_MESSAGES/django.mo index 5015d1e8794ecbe4c748593e36fade30ec54bf0a..d4d94fea4374e586c70ade82e51fabbc378c679b 100644 GIT binary patch delta 921 zcmXZaO=uHQ5Ww-*^uyY!v`wq&2kl~7XqD(@H%)eHu@^yw9>kA>mzI~!CZv=kW?Lvo z%}KrKA&O#Eyofg`MCh%c)QfnqN)JNyR!~8dUPQe3ADWQtZ{B3{X5MT*I=jy5t5D@x zgHq8Br3|IiMyFEyaR*Q0FSK!}OQ|z>2}kfD9>#SH;}-VecO1kflKmLPeK>_X|;R?YDK?-FOpRfggqm1YeMzM)5WIc*;97owOhhZM!Z9Ktxg)vHj zcPI^P<1l{1A|B*9iOVSUDnAKilx-YWCNPGLXrqiWg;ID5Wz^Fs1+E}NP`P@384t0( zh4iBC*Yht?4zyNx9i_3i$o_q5lYsx9`ix8X17#zxcD{MAy<(X$GZC{=h83T%2 zZPPkfh+Qu0LNKoviscEz_7YipJmFbM&+_7~nbww*by+5pnN&8Do;6L|cQbKgGHp4o zWhX2L+fHX@9DCkt25mrp*dZ<+5M)m!LOc+ELC4e`iQn8lShqwAz0A!+!rhwrE;;9 Y*L$ggN8}gS>{Rd7P?Ky{UFl!@53Z1qSO5S3 delta 901 zcmYk)O=uHA6u|M9#I|Zg(=@eBTiTIWu-4XY{h%p5h!#RYM2d*^AWY&CR<_x&n_$er z2p)Sg;>F@k3VxwP)FOfkB1F7YkBUb@@FIc-@#8-=2bX1kZ)Ruby?M#EskN#555u)e zNF)^#Q6jS3DY6Nl;a+@=`|tl?auVEM7#Xfw2gZKga@h5g*4~s@{2zTKe zZb83GYBE4jVz1E8hXil(%y|{wpmgjg7-=irgN*hd~QB-&m_v3kt;vFQX zJVCSmEt<#s8o_mfc#o`i;vTj$euJh(YnZ}Mt#O2EEXFZ38y?2)kVqEC8CPhd zNw9*ZfK}Xyuh7FUEf@H`);r%MFfI9vrUUI9JAyGZtxTXPWB^U8N6;jgM4BM8t@#Dq z$~cGAB7SRr3C+G&(H!gsn!;`(`}fHM0{(xpiWO|4+2}}Pu5B=S%u0`0)|i!6)`97X z^ymcF=A$|&jh*myA#ioc^QTqDD^#`Xsf^D0j_s=Bwr^L}40BG&)Bd6SqITTzoVVEc z7~2-^%-hPdqo!gx4b}_Gs)B8j#irb)BeYQ0a+c8 AZvX%Q diff --git a/umap/locale/es/LC_MESSAGES/django.po b/umap/locale/es/LC_MESSAGES/django.po index 33ccfd17..df933983 100644 --- a/umap/locale/es/LC_MESSAGES/django.po +++ b/umap/locale/es/LC_MESSAGES/django.po @@ -5,16 +5,16 @@ # Translators: # Gonzalo Gabriel Perez , 2019 # Igor Támara , 2013 -# Marco Antonio , 2014 -# Marco Antonio , 2014,2016-2017 +# 3c4f354c26c2c190ba28f9c2666d7fdb_003e9d1 , 2014 +# 3c4f354c26c2c190ba28f9c2666d7fdb_003e9d1 , 2014,2016-2017,2020 # Rafael Ávila Coya , 2014 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2019-11-19 15:09+0000\n" -"Last-Translator: Gonzalo Gabriel Perez \n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2020-04-27 21:31+0000\n" +"Last-Translator: 3c4f354c26c2c190ba28f9c2666d7fdb_003e9d1 \n" "Language-Team: Spanish (http://www.transifex.com/openstreetmap/umap/language/es/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -29,7 +29,7 @@ msgid "" "need a stable instance, please use %(stable_url)s. You can also host your own " "instance, it's open source!" -msgstr "Esta es una instancia de demostración, usada para pruebas y lanzamientos previos. Si necesitas una instancia estable, usa %(stable_url)s. También puedes instalar tu propia instancia en tu servidor; ¡es código abierto!" +msgstr "Esta es una instancia de demostración, usada para pruebas y lanzamientos previos. Si necesita una instancia estable, use %(stable_url)s. También puede instalar su propia instancia en su servidor; ¡es código abierto!" #: tmp/framacarte/templates/umap/home.html:83 #: tmp/framacarte/templates/umap/navigation.html:14 @@ -144,11 +144,11 @@ msgstr "acercar/alejar" #: umap/models.py:129 msgid "locate" -msgstr "localizar" +msgstr "ubicar" #: umap/models.py:129 msgid "Locate user on load?" -msgstr "¿Al cargar localizar el usuario?" +msgstr "¿Al cargar ubicar al usuario?" #: umap/models.py:132 msgid "Choose the map licence." @@ -192,7 +192,7 @@ msgstr "Mostrar esta capa al cargar." #: umap/templates/404.html:7 msgid "Take me to the home page" -msgstr "Llévame a la página principal" +msgstr "Lléveme a la página principal" #: umap/templates/auth/user_detail.html:7 #, python-format @@ -233,7 +233,7 @@ msgstr "uMap te permite crear mapas con capas de OpenS #: umap/templates/umap/about_summary.html:11 msgid "Choose the layers of your map" -msgstr "Elige las capas de tu mapa" +msgstr "Elija las capas de su mapa" #: umap/templates/umap/about_summary.html:12 msgid "Add POIs: markers, lines, polygons..." @@ -241,7 +241,7 @@ msgstr "Añade PDIs: marcadores, líneas, polígonos..." #: umap/templates/umap/about_summary.html:13 msgid "Manage POIs colours and icons" -msgstr "Elige los colores y los iconos de los PDIs" +msgstr "Elija los colores y los iconos de los PDIs" #: umap/templates/umap/about_summary.html:14 msgid "Manage map options: display a minimap, locate user on load…" diff --git a/umap/locale/et/LC_MESSAGES/django.mo b/umap/locale/et/LC_MESSAGES/django.mo index 18edbd1a57216a9f42a1a191b2c23c67004ee85e..1d989383e3d2a58dc5dc2935f96ca0d016c7629d 100644 GIT binary patch delta 1580 zcmXZcTS!zv9LMqhQFqO2u9lmorI~qI%u7&MWNO+~O(>0Cimil7EhyKLh>f6ni5@y= z2!Rsx7Tq=?s0WE2DhR?Lst1WKRD=;x)I(X{pPs|c`OF#5nfcFuW}K=Vs)|lzCJY)^ zJ0*{DDbB20bssmbM}D(>e2i-Ph{ZUGRhX4%whEhY0iMK69KqRm3-$d2EWkGyL}!*6 zzo_MKFQ;J&G>eTN+AtnI2Yey2L8qbOiG^VARQH0HfrD^Ovlw;dkYrvyaUzG30#COX5k%F z;7?GQd5*b^Z||rmWmBk`22#w)&@e4+Csq9Xhneho!hv$)PU_+>ZhfxEMdVjx)n!#GC|=tUhha3fpRfeLUBDnkdn_M@nP zPb0C|2$CebiOSR%>NtMFQcUDXXm3=ZCbkiEN}^l2>&1Pj0neg39>iw6j*9drYDqH5 zn`RP3Wu^$#VI6AsZ$Rc^J*a@Ap65`R9mWXW!-G2i)of+0$tcoh_fZ3kqf$5F`586P z57eHSLal8g3(Im_5cPg3DkICh_GZ-kov8PBp(b(&{kFoaZ@OZ39M#b&96%TKVH$a3 z587sm0@bzF&G(g*wNul-5+%N#qN|lcs;1A6p5rOaZm%yGSWk_Zr%#vy*y0ZQLOBi8 zG^(z0$|ec}Tci8Rx4Eo^n*Ie;P;{-E!OBnvp^_4!G`X$*ptHg4@`sW(@~o>ZHte7D z$L$`7olfg;l4~n!Y745XR#w-<-ls2heA~Lh{avxVjPH&w+}j)Ji)CaMJF(?i{&;sy W_J!o`@R3Mg_&~U)FZL{Zsq-HZPnTo> delta 1558 zcmXZcOKeP09LMqhZOv4xrJd21)?47Y1r;G)=>kzHLJ1Nn-(TI6p8GlX%)RIQ&;Oj;v$4L3@i&11XN*!y z9YH;vWVRX8eOxFv{bnQa7OLwR7UFA+VRDMuY@CXta2p2jBo4tA)cZFugpV*6zv4i% zxTSIp(-FW3&c$?Wzc&a3k)kw_ALucS1vdwk@m6@xa9jGnpLIu)`+S@+V-WKqq z?x*26tV2E5jLP6K@BTFED?5)hcqdLnFAQQ7o!S_Z9jib^xDu72HD3QFRKQKh+;$R4 zl3he)stxrSKF1086Lls+46cREM9oviMbE|SXlTMcsDTe-1)fJm`VO@vN#so{NkL^M zh#Ig2b?RpzYq5G%z*{{JpfY6xrZS-| zbh~}k#nrU*$w#Rw+6k3ns=l0w)CjfAUF*+vs@x`jBy|z@D$5dA{Ga@Za~Z3gv?zblruBY IofCEb0YcxH!vFvP diff --git a/umap/locale/et/LC_MESSAGES/django.po b/umap/locale/et/LC_MESSAGES/django.po index 4d4d8289..ba979773 100644 --- a/umap/locale/et/LC_MESSAGES/django.po +++ b/umap/locale/et/LC_MESSAGES/django.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2020-03-02 14:50+0000\n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2020-09-29 10:12+0000\n" "Last-Translator: Moon Ika\n" "Language-Team: Estonian (http://www.transifex.com/openstreetmap/umap/language/et/)\n" "MIME-Version: 1.0\n" @@ -270,7 +270,7 @@ msgstr "uMaps'i kaart" #: umap/templates/umap/home.html:24 msgid "Get inspired, browse maps" -msgstr "Sirvi kaarte ja saa inspiratsiooni" +msgstr "Sirvi kaarte ja ammuta inspiratsiooni" #: umap/templates/umap/login_popup_end.html:2 msgid "You are logged in. Continuing..." @@ -278,7 +278,7 @@ msgstr "Oled sisse logitud. Jätkamine..." #: umap/templates/umap/map_list.html:7 umap/views.py:214 msgid "by" -msgstr "" +msgstr "kasutajalt" #: umap/templates/umap/map_list.html:11 msgid "More" @@ -286,7 +286,7 @@ msgstr "Rohkem" #: umap/templates/umap/navigation.html:14 msgid "About" -msgstr "Projektist" +msgstr "Teave" #: umap/templates/umap/navigation.html:15 msgid "Feedback" @@ -343,7 +343,7 @@ msgstr "Vaata kaarti" msgid "" "Your map has been created! If you want to edit this map from another " "computer, please use this link: %(anonymous_url)s" -msgstr "Sinu kaart on loodud! Kui sa soovid oma kaarti muuta teisest arvutist, kasuta palun seda linki: %(anonymous_url)s" +msgstr "Sinu kaart on loodud! Kui soovid oma kaarti muuta teisest arvutist, kasuta palun seda linki: %(anonymous_url)s" #: umap/views.py:529 msgid "Congratulations, your map has been created!" @@ -351,7 +351,7 @@ msgstr "Õnnitleme, sinu kaart on loodud!" #: umap/views.py:561 msgid "Map has been updated!" -msgstr "Kaarti on uuendatud!" +msgstr "Kaart on uuendatud!" #: umap/views.py:587 msgid "Map editors updated with success!" diff --git a/umap/locale/nl/LC_MESSAGES/django.mo b/umap/locale/nl/LC_MESSAGES/django.mo index 8bae14bbcdb99fd24879d217089b48dac6dca633..2e9bac2a6ad2aff7ca725185e1c6b1d2bcf5cef3 100644 GIT binary patch literal 5942 zcmchbTZ|-C8OM)`h=YQ1Q9-~nE6eW4bkFR{3Ojpauj8__?8442LKLj&I@4X#)m2Sh zrgv6jNQ}2gG(2ETe8Bhs3Gu}k69{Tdhz}AIUktn`4;tfx#uzj)@yXx+R8>#!E-Eit z+0(!7s#D+jZs$AS?CaNE@wDMuV%);`{M(Ij@HbcR!8N?nm|NlF@SX6Ra4UQo&cm1B zZSc?VI(YTFjJX!x2K8PWTDSy12nX;g_$Bx;_zid`d=b6}{sDd%z5zc3uVM20;WnuE zcJpx)JOnlG)3624!yDkUkXOx1Q2M?MrN=MeKKMsC4Y$7Am>c0Dd>{M_l*tLy`#F?8 zpMzTOtMD55z54zSpx*x}+yZ|MuZRDDEMcyms{C*RyqVv(L;2?blwA+PufRV12>ctw zh35LJc^BTyhxE7uTG)nq?-Z2$9+ZBM*U!HIOMX8C*Wryk)VfbX+4mfjycZxLHa~+} z?`6m<=9T*St5ETKy}tjK`u;y5|IFLpTgBsAD0$ORa%Q0XHxK3aT~K=NfqL%Id~dMk0+qye;3NW=b_~P5FUZA z)xU2c*viLyq2hj)582m)^2Y!&)m(r+PEhlogP3N147IO*33tFhLG905QHoSC3sCcq zLfwA^O5UjE*WkDL{T(R#?qagybRX3E4?x-RDBKQvkbmYWKIEroq4f9>l)rusFTmf! z5quP(+JCP?$$x_n<B&AzR0h-w4QQ9e!P>RdZrxGda5molddI(VyC>2t@DiA8OIsTrJ8Y+afq>t@eanN z*EBcwFyt5SJ1ARQ4EacP>C#I+)uotjW9(!cV<<*%4MlQ8%`3@03~QlH##4ciBvCdqHlK z)DD7S-ZlqU(y}lI!_b~Sbv$3-Zq|2MK5OGBabTFn8{IU?+im71p^b`dx!oJsUglQ! zZP~g#bHntpGK**OE&J1e?oxM~8BxrGSxECZ{X9pX0807gV z&BEr^#P2jkLeX?B_x5_n@^*TOPINuX4UgBD1yle%*Q4sbzIvVj?=^; z${bFUZWa_}925~&&W>e!FReHX>S%5_{g$R?E-3t5|HTGg%Og=fM0t#e^2!RECN@rk zux*YGR$OQU9Gmxo%#D{fN7r4pAtgIOVqF*&=9qKgO3>+>MOWA;$%j$q!dbgg`Pe&j zNiMQ^+3C1EUoGQ!!-g()sMIz~QPQ_XicZ4-r;mD$<-A`jr&yE=T@ggFpPhEF#42MN zWe=F8v}=_uFiOnHAdw)YjqRi{G0D9lQ3pphPv!M==zY6j!`czJB}yV5k!6>!^SdXW z?3-* z$@=Dt?f4yGF8SS9O+?LUWs-M=j11i%<(3P`{7$tQh;NpzN1@A_2W)+m@|z}|uw~Zo zmE2JsqGE$RnFoD0>qCfWl5X?0WWsT_7?Ch+b33Y%lSGYHHzeN{8$$vWDLrv1MW<85 z8|_AqnDpU+SKezAbUL`WFlStlb$T_bP@Rdo36ss4h%6*C*-v3A7ixbGf(YG`fURtn zQQ8j38i#t!Pl0{ z_P;&u3y&QINukvgLByh)&y_44;JTD`h<`d5miV0NS%rpeR86I*_7|v!%uF^0X_;50 z^UYSROUeI!*{0TF87b`(kgN|9UwwSAq_tULtM*-JRyGVp6zfdr@=g}{&CPdJj@&d` zye@FYdnqrdu(|)vwrNORi8qXE>fH8Wxk7!OF?EqPRcSCjhJNFi+!aKso13au)?&5M zEk!Q(DcGqhFEPohOq)2X(tJ=KRd#OwDGsYMMdn<=`#P?g1BMj!1&Rpz&ER~ACa?o# zuTR{ZtZbVLX*w{cvviF#ZygU?=Qy4?L>7GMnR<|eF)Lap^KKNj4wc=!wVW>4sne%g z54!b86I(~9YYTSg{LcB-{N1e`yX}tM3%hpRInOn<6y!x~ISZ1Uqbbc6>|y6}yXeXb z&hCwp)%4yDg4;>FpQ%Z=B;{MnE*LD>BW2O)+3mfe7%t4sjYgw(Au-XaJKrWV=X6Tv z-f)~WSL!3KCCnx9+|1O;<0p@98ndH4Kcy`~%v;Os?*&`9^Tiw|T9oWjzGQ@D-`VA3 zt$Q}-X~9*OwT>p8G$dpT_MVlf7;CybOmUx{U6i992?fWY_gIjr-I8dDg(MO`K--*97}y|rT(Y)K56p{QVvakGqDqQtzx>19 zWtWv*)ES~|(ltv#P}owhtE-_|rLU3T%!V?)aWB(2LUK!_k;LPsuSr;4Wj{&+{LXi| zw((zGn=JLhJ7^^!vW2c`pcQZ#kL>262)YgIvjz(Njr5w zrkW!ssNEsB5rv>ox~SLj2F&^u2}7g6MJwy@@lI^Iivg)wwQ_bPTI;%z%M_K`(R4nS z-BcQ3c-{FBXme7D*m&>$$d#Pg6IpnO>YEoNY;xJ7#c|+Kcs)&gkWZC}pLqXZ9BW#m zalcIDmvN9QRr_caR1?$pnq z8=5miM-b&xOz>@!-$_z`+%KIgV{Mr9Vk;HrSx)zL7sXMx=b|vD@pitPNPS)kF^9}6 zM$WN!ypYR0iWnsTn^=w01yTn7V+6Zg}p649)Osb(>-J{k~HVpz#MY@Xss{T z`D8L@>APuzq#}DHY+Hm7M?@-(&%Sxlu?J(id4y0xycoh15^ZgVi#c98DY7ZnUsEugYC*VoW)yYB!|LhYGazCR7v3NGnW*KNvk`ZWv~7Z|_0eDRt54}$;FbooT6PC+Dj OD+zBpRH9F`S^ok(Y+dsJ delta 160 zcmdm{ca}Nyo)F7a1|VPpVi_RT0b*7lwgF-g2moRhAPxlLLPiFLFev{7kPSp&0MZKw zd5O8Hlh5(G@)=s{8kp!Bm@62XSQ%MNR^$^`sm#wv%uCA8%S=m5PF1i$;X0%hrKako Q6-^G{d&-)Zn3&4|0MYs$+5i9m diff --git a/umap/locale/nl/LC_MESSAGES/django.po b/umap/locale/nl/LC_MESSAGES/django.po index d36f381a..e8a02262 100644 --- a/umap/locale/nl/LC_MESSAGES/django.po +++ b/umap/locale/nl/LC_MESSAGES/django.po @@ -3,13 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Cees Geuze , 2020 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2019-04-07 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2020-07-19 19:55+0000\n" +"Last-Translator: Cees Geuze \n" "Language-Team: Dutch (http://www.transifex.com/openstreetmap/umap/language/nl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -31,12 +32,12 @@ msgstr "" #: umap/templates/umap/about_summary.html:33 #: umap/templates/umap/navigation.html:26 msgid "Create a map" -msgstr "" +msgstr "Maak een kaart" #: tmp/framacarte/templates/umap/navigation.html:7 #: umap/templates/umap/navigation.html:10 msgid "My maps" -msgstr "" +msgstr "Mijn kaarten" #: tmp/framacarte/templates/umap/navigation.html:9 #: umap/templates/umap/navigation.html:12 @@ -46,23 +47,23 @@ msgstr "" #: tmp/framacarte/templates/umap/navigation.html:9 #: umap/templates/umap/navigation.html:12 msgid "Sign in" -msgstr "" +msgstr "Aanmelden" #: tmp/framacarte/templates/umap/navigation.html:12 #: umap/templates/umap/navigation.html:20 msgid "Log out" -msgstr "" +msgstr "Uitloggen" #: tmp/framacarte/templates/umap/search_bar.html:6 #: umap/templates/umap/search_bar.html:6 msgid "Search maps" -msgstr "" +msgstr "Zoek kaarten" #: tmp/framacarte/templates/umap/search_bar.html:10 #: tmp/framacarte/templates/umap/search_bar.html:13 #: umap/templates/umap/search_bar.html:9 msgid "Search" -msgstr "" +msgstr "Zoeken" #: umap/forms.py:40 #, python-format @@ -71,7 +72,7 @@ msgstr "" #: umap/forms.py:44 umap/models.py:115 msgid "Everyone can edit" -msgstr "" +msgstr "Iedereen kan wijzigen" #: umap/forms.py:45 msgid "Only editable with secret edit link" @@ -79,7 +80,7 @@ msgstr "" #: umap/middleware.py:14 msgid "Site is readonly for maintenance" -msgstr "" +msgstr "Kaart is 'alleen lezen' wegens onderhoud" #: umap/models.py:17 msgid "name" @@ -87,11 +88,11 @@ msgstr "naam" #: umap/models.py:48 msgid "details" -msgstr "" +msgstr "details" #: umap/models.py:49 msgid "Link to a page where the licence is detailed." -msgstr "" +msgstr "Link naar pagina waar de licentie details staan" #: umap/models.py:63 msgid "URL template using OSM tile format" @@ -103,144 +104,144 @@ msgstr "" #: umap/models.py:116 msgid "Only editors can edit" -msgstr "" +msgstr "Alleen editors kunnen wijzigen" #: umap/models.py:117 msgid "Only owner can edit" -msgstr "" +msgstr "Alleen eigenaar kan wijzigen" #: umap/models.py:120 msgid "everyone (public)" -msgstr "" +msgstr "iedereen (openbaar)" #: umap/models.py:121 msgid "anyone with link" -msgstr "" +msgstr "Iedereen met een link" #: umap/models.py:122 msgid "editors only" -msgstr "" +msgstr "alleen editors" #: umap/models.py:123 msgid "blocked" -msgstr "" +msgstr "geblokkeerd" #: umap/models.py:126 umap/models.py:256 msgid "description" -msgstr "" +msgstr "omschrijving" #: umap/models.py:127 msgid "center" -msgstr "" +msgstr "centreer" #: umap/models.py:128 msgid "zoom" -msgstr "" +msgstr "zoom" #: umap/models.py:129 msgid "locate" -msgstr "" +msgstr "zoek" #: umap/models.py:129 msgid "Locate user on load?" -msgstr "" +msgstr "Gebruiker zoeken tijdens laden?" #: umap/models.py:132 msgid "Choose the map licence." -msgstr "" +msgstr "Kies de kaartlicentie" #: umap/models.py:133 msgid "licence" -msgstr "" +msgstr "Licentie" #: umap/models.py:138 msgid "owner" -msgstr "" +msgstr "eigenaar" #: umap/models.py:139 msgid "editors" -msgstr "" +msgstr "editors" #: umap/models.py:140 msgid "edit status" -msgstr "" +msgstr "wijzig status" #: umap/models.py:141 msgid "share status" -msgstr "" +msgstr "deel status" #: umap/models.py:142 msgid "settings" -msgstr "" +msgstr "instellingen" #: umap/models.py:210 msgid "Clone of" -msgstr "" +msgstr "Kopie van" #: umap/models.py:261 msgid "display on load" -msgstr "" +msgstr "toon tijdens laden" #: umap/models.py:262 msgid "Display this layer on load." -msgstr "" +msgstr "Toon deze laag tijdens laden." #: umap/templates/404.html:7 msgid "Take me to the home page" -msgstr "" +msgstr "Ga naar de home page" #: umap/templates/auth/user_detail.html:7 #, python-format msgid "Browse %(current_user)s's maps" -msgstr "" +msgstr "Toon %(current_user)s's kaarten" #: umap/templates/auth/user_detail.html:15 #, python-format msgid "%(current_user)s has no maps." -msgstr "" +msgstr "%(current_user)sheeft geen kaarten." #: umap/templates/registration/login.html:4 msgid "Please log in with your account" -msgstr "" +msgstr "Log in met uw account" #: umap/templates/registration/login.html:18 msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: umap/templates/registration/login.html:20 msgid "Password" -msgstr "" +msgstr "Wachtwoord" #: umap/templates/registration/login.html:21 msgid "Login" -msgstr "" +msgstr "Inloggen" #: umap/templates/registration/login.html:27 msgid "Please choose a provider" -msgstr "" +msgstr "Kies een provider" #: umap/templates/umap/about_summary.html:6 #, python-format msgid "" "uMap lets you create maps with OpenStreetMap " "layers in a minute and embed them in your site." -msgstr "" +msgstr "Maak in enkele ogenblikken kaarten met uMaps OpenStreetMap kaartlagen en toon ze op uw site." #: umap/templates/umap/about_summary.html:11 msgid "Choose the layers of your map" -msgstr "" +msgstr "Kies de lagen van je kaart" #: umap/templates/umap/about_summary.html:12 msgid "Add POIs: markers, lines, polygons..." -msgstr "" +msgstr "Voeg POIs toe: markers, lijnen, polygoons..." #: umap/templates/umap/about_summary.html:13 msgid "Manage POIs colours and icons" -msgstr "" +msgstr "Stel kleuren en iconen in voor POIs" #: umap/templates/umap/about_summary.html:14 msgid "Manage map options: display a minimap, locate user on load…" -msgstr "" +msgstr "Stel kaartopties in: toon minikaart, zoek gebruiker tijdens laden..." #: umap/templates/umap/about_summary.html:15 msgid "Batch import geostructured data (geojson, gpx, kml, osm...)" @@ -248,129 +249,129 @@ msgstr "" #: umap/templates/umap/about_summary.html:16 msgid "Choose the license for your data" -msgstr "" +msgstr "Kies de licentie voor je data" #: umap/templates/umap/about_summary.html:17 msgid "Embed and share your map" -msgstr "" +msgstr "Kaart insluiten en delen" #: umap/templates/umap/about_summary.html:23 #, python-format msgid "And it's open source!" -msgstr "" +msgstr "En het is open source!" #: umap/templates/umap/about_summary.html:35 msgid "Play with the demo" -msgstr "" +msgstr "Speel met de demo" #: umap/templates/umap/home.html:17 msgid "Map of the uMaps" -msgstr "" +msgstr "Kaart van de uMaps" #: umap/templates/umap/home.html:24 msgid "Get inspired, browse maps" -msgstr "" +msgstr "Laat u inspireren, blader door kaarten" #: umap/templates/umap/login_popup_end.html:2 msgid "You are logged in. Continuing..." -msgstr "" +msgstr "U bent ingelogd. Ga verder..." #: umap/templates/umap/map_list.html:7 umap/views.py:214 msgid "by" -msgstr "" +msgstr "door" #: umap/templates/umap/map_list.html:11 msgid "More" -msgstr "" +msgstr "Meer" #: umap/templates/umap/navigation.html:14 msgid "About" -msgstr "" +msgstr "Over" #: umap/templates/umap/navigation.html:15 msgid "Feedback" -msgstr "" +msgstr "Terugkoppeling" #: umap/templates/umap/navigation.html:18 msgid "Change password" -msgstr "" +msgstr "Wijzig wachtwoord" #: umap/templates/umap/password_change.html:6 msgid "Password change" -msgstr "" +msgstr "Wachtwoord wijziging" #: umap/templates/umap/password_change.html:7 msgid "" "Please enter your old password, for security's sake, and then enter your new" " password twice so we can verify you typed it in correctly." -msgstr "" +msgstr "Vul uw oude wachtwoord in ,om veiligheidsredenen, en vul daarna tweemaal uw nieuwe wachtwoord in, zodat we zeker weten dat u het correct hebt ingevoerd." #: umap/templates/umap/password_change.html:12 msgid "Old password" -msgstr "" +msgstr "Oude wachtwoord" #: umap/templates/umap/password_change.html:14 msgid "New password" -msgstr "" +msgstr "Nieuwe wachtwoord" #: umap/templates/umap/password_change.html:16 msgid "New password confirmation" -msgstr "" +msgstr "Bevestig nieuwe wachtwoord" #: umap/templates/umap/password_change.html:18 msgid "Change my password" -msgstr "" +msgstr "Wijzig mijn wachtwoord" #: umap/templates/umap/password_change_done.html:6 msgid "Password change successful" -msgstr "" +msgstr "Wachtwoord wijzigen geslaagd" #: umap/templates/umap/password_change_done.html:7 msgid "Your password was changed." -msgstr "" +msgstr "Uw wachtwoord is gewijzigd." #: umap/templates/umap/search.html:13 msgid "Not map found." -msgstr "" +msgstr "Geen kaart gevonden." #: umap/views.py:220 msgid "View the map" -msgstr "" +msgstr "Bekijk de kaart" #: umap/views.py:524 #, python-format msgid "" "Your map has been created! If you want to edit this map from another " "computer, please use this link: %(anonymous_url)s" -msgstr "" +msgstr "Uw kaart is gemaakt! Als u deze kaart wilt wijzigen vanaf een andere computer, gebruik dan deze link: %(anonymous_url)s" #: umap/views.py:529 msgid "Congratulations, your map has been created!" -msgstr "" +msgstr "Gefeliciteerd, uw kaart is gemaakt!" #: umap/views.py:561 msgid "Map has been updated!" -msgstr "" +msgstr "Kaart is bijgewerkt!" #: umap/views.py:587 msgid "Map editors updated with success!" -msgstr "" +msgstr "Kaarteditors met succes bijgewerkt!" #: umap/views.py:612 msgid "Only its owner can delete the map." -msgstr "" +msgstr "Kaart kan alleen door eigenaar worden verwijderd." #: umap/views.py:637 #, python-format msgid "" "Your map has been cloned! If you want to edit this map from another " "computer, please use this link: %(anonymous_url)s" -msgstr "" +msgstr "Uw kaart is gekopieerd! Als u deze kaart wilt wijzigen vanaf een andere computer, gebruik dan deze link: %(anonymous_url)s" #: umap/views.py:642 msgid "Congratulations, your map has been cloned!" -msgstr "" +msgstr "Gefeliciteerd, uw kaart is gekopieerd!" #: umap/views.py:809 msgid "Layer successfully deleted." -msgstr "" +msgstr "Laag is verwijderd." diff --git a/umap/locale/sr/LC_MESSAGES/django.mo b/umap/locale/sr/LC_MESSAGES/django.mo index 26fc0d468181853b17e51c3e84e7b13ba3625c3a..54b6c595e8aa1200eb628af6971334a0c5f9f2e5 100644 GIT binary patch literal 8900 zcmc(je{5anS;yaX1vXRIRyxX$uDl7PwOjkzNn6OAIBk=rTSn4kaZ)rPbsXP&Y~T9& z9COaOaSTOElcgCFXj{~3Zqki)g(1O&+$L_V&?F$JH0=*`?cfk*U{{d?J!26u@;2?M>cnIXrMf|%D zd>XtTd;z=-{B!VU!M_533j7}UA@IHL592-z{xr{bgX*^%905;&cYtTX9|pe!VuJe$ zDEq$-%ARk46X3VNZQ%O`ocl0%ANWD=5%5;T;P1Hej6mz?(?9= zErX}QKLFM5ZjAbi_rNtc%JX-bRC>A-@}$F2@NsYsd>DKUybt_mP;vhV!4U2N2f1^`3;t_~cM<$?o*x762R{S;8u-Vc z?7NMiNjDz{X>z|(KF@<1_YBwo-vA#4?_$wy;8URDaRwAWUj)VHC6GV&4gSfVzXX+^ z{{%{>cOZttU=7?2{w8<`yb3-DejhvlK0s&LwFruz=fE-W_rYQCuR+;=3*vYX{`Y|= zc+N>a+4W6OE$g@{CvB7ejB`p=YIf|M<0MpjT;5E?tW0~J_XAE zQzf1UrO)Tf=gS}=c7Fsyg}Vv94SuJ5zePmp+Qm zFL3=5*Cf|oE@@KsL9^S>B_GA_V_elo_DbWQ;8INYa49Dg4{1U9q!>KGCEJg4=_5V{ z>@NJ1?mx=4t8BXk#GT#;DVi3=#}O{YQ6EBMxvzV1xSLBg5K8Pr>R1j)kH5^dk87Ok z0WQz=5LfkiKR2o;%1Px@jjQ@7Zqi`?=V1AuSV}J+?|;d?w4ykDvTUb(*#01mJi;Z- zS0Ck}a{g8|>=>-Kvn)=EPq*_p8_NA`l=~$0^U*?HbB|7??ZQ3UX!v7C59Q;uW^-|t z5BpX#iGhW*wKS6^d96m@q~V*zy}92T`PnR0%!H&DOKJ40i`+qhu!b^Gkjq%JaoEYgA2r&uPjG#cb?b(GpJiblNXro@Su; z`rBqbPUtzEX5qbz>+e8+_@GlguDJuPG>MtY9Y~XzEGpWqsA$5_aBps7cq)dBy81S@ z{g1k4aa34eyYZ1(`B*bwz<8W!=D`b}Ccc$MjhZ_+KLwEyLCI&MEbcAu4xWm$B^gV8$y5*dg=Dhy zR1*uT7gQq5u{=!scp0|z%VUaFvsfa{^Jp#}HaRdgI$j@^^aa5ei)fIl;}?V8(SCD! zN%Q++X@Q`_DW29-YGA!+E!8SJTBgWgyjc^~>x8RtlW~;QXG;iSpWGB634TZJCYv*f zR6W^5?=+FQjZ_g(C7F+!n4Clu4R-=x{5(068s)Po_ev#qLV3+!WZWq=3k?`n_B3po zBF>4pvV0+nN3yhqKxSCUSk7zykkvGwkm1b2aH(p2o`nz%rt7cTp<7kAcMSGFt8~}= zr{GTli&{`SOXV&jwkU@yBmY;M!O7!?eG$)7&a61di=&fAyaXvn$sBi*l95F7v3s&f zh@~h*?PQAT8v&b9Jd>KI^cKye%^cd7=wLN{OWm!=S&WiG+?&*`lv;9T={&@ytV1%T z^9yZ+$&R+izNfX2*59!!9`*_c68);e5$FABadO}xZgFlYiwlf!I81ue&<8u zyFPmV7@vW|QC^Ik$f6`i<7qbT=j3^uO*Q@Ayojfxq(&Y;9k=GFi1k`N{m2YOqE$nC z`xuwLxQw)3Z*wa&H9O82?W8a>ur=lRZ!&Q%(g zyJs~(@2}gt)nU)8H+WiMgr1n)-d_P(&UKbOtG&iBTdYsD{ik9~I!mV;-7^?=ouOAe z^Vy=|l-yayOj&-WdscP_L$sLeI;+Kh;7PgjdzzZDXR!43&f1nUb4i0NR@WOWCrj4k ztvr;+*ShE4?d>vMS30k<)ENjW*;&hmMu*=a}StAT{_Y znpYt8T}N9`wa_(l;JV^;)ph<5L!QMh*|vg@Hwal+Xr*FcB}7X42wK4M6}(^BRt{&d zrg)d(*W@r=*9U)@Avf*$HSt=?E--3>v%p}d3|bcPC256)n@f zxULCizRJRAG|=B$=4H(*RcYxPtVK8=RkQY{u<*+QnaOy(_6mLXv!+evDwD!ua2;je zG#A$_QVO?HOKD(p_T<)Qik7(C^Nhtc$13BIz1Di8^D1MZSfrDamxJ_V>kVcvC9L#A zD?V6=Q%H=<12oF{Qb}?EJ`}I+i(!o$X0**OEd{ybX_uue?aK98Lu%_|-*}?6$G*m@ zMy#lb`hjS|Lm*#dl<{5fv?XG%n)R5?>RQnXhqoB6mT9P1F#ndJrOL-k8)Ys8mIgAz zn~Jp+tDd?Ejxt(3p-FjEhLn`oL5W5BBLd^(A~nNgQpwr02pdovB7y0_7G=px^uH-( zSui$_?eB3?`}s)ZIv1hwb0X`dij2}V*ZH#as4(;uB9ZYWEI%({bzbvwLt2n>F}JU$ za-_1yY&DxCPtm;6y~ubFzh5?up!*HuwGuXUuHZki4L%tcWL?QL)2^I@#147MLR<4vUR-3J6_znsR&)o02!mGGoY^cGatUV30k+Lm zCP3?^DStp&_^L%)TPJm?b5(vqa~C=-IovOUHASUFEX(H^?_U@vHwH<=s zY}mYlP?Yb>Rz{dP=s__p=e4n+l41xpSh=xMs4bo4AS;MVOul3TbM~U ziHQq5TPhLgFoxMkCMl>o)j-h3297yF1HDr6HH#w?hMc_i-zha@IbYs8QvDT~5%!(+ z-H#)oHR_CDzV`B8{*#X;C(L`@=wP>&i0Raot5|xGcNR!xCPKxtkUaXRq`6Q(@m`zzDw>tyHlI>wjp&#s)T6SI*27siI|cp5277g#S0XzbT3%S zujsyH7-^PbvrySq-d*nPiCcd%>Fw5=&E9;V{{J(2{2i=TMMDQ0%DWPy@3^51EjO#0 zBP5EWGD}sVM@Xn^K~2;=F-fp*ING)6_Kv@+t~}vVOuA?ES|{;m^auDl)%3?riK{zN=gt#Q$hp-myFw z7Y<=$iN4dB{x_US=p@InM>)o<5J>GT8#SSELc1C7>^CD($Q4d(Hj1p2Q-My!pvtRI zlKYbXU4BYp#p=tfDlWq*Eq20&Bdf4h_ct%EBvB;$SXI$A-r4Y&LkDuc6)K;qFQjZd TCXKFb7%1i(JycOd!m9f(05My! delta 1690 zcmXxkOH5o<9LMqh*a|a+G6S^3K5br6$%?jb&kNlfkf(#7ERLwhI$uT%c+E{_cz?_uS99ckZ0W z|NQU0(YKUH|4_Dm)+kR>tEoF5Fgt+V>p4*_JZQ#Y7ddUm53v<*<70Rq%do4!ER4_M zRy>3rp1=y6#|FHDjrb!Lo29L&&@9G{7?xrJEAc7Zf`^c2?M39UlbjgS-a-v@1|P>u zxEb$a1TAQ$HIyQ^EQ$p{$Gb_g{XmsLfV3wNC)ZD-v6`OGpe?tv)j*QZ4dkdM1{f^qYe^Dz9@n>C^p^~x&^;|Ei z|MUP24jbpBm7GE))olKH9+`uEf{MtOxQgHBf4|DCNeSCSRjB_jTD2mg(ni(bnvjaN zRMBQ)#Gj(1;Jf1wM1+il^`oJXt7uD9)=?EcC8J7j4*zx3q*W9><$xALkc^!4vmN|B zCoukkJF!aR$7$&6M^gLA2!2tRJgT-wMXPV}Teu%6qf`8Rl~{gRC3Y| zCyxzJjvY;nO^nk{4UIi_%z>% diff --git a/umap/locale/sr/LC_MESSAGES/django.po b/umap/locale/sr/LC_MESSAGES/django.po index 18faaf2f..05bbbb4a 100644 --- a/umap/locale/sr/LC_MESSAGES/django.po +++ b/umap/locale/sr/LC_MESSAGES/django.po @@ -3,13 +3,13 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# kingserbi , 2019 +# kingserbi , 2019-2020 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2019-06-02 11:23+0000\n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2020-04-08 15:29+0000\n" "Last-Translator: kingserbi \n" "Language-Team: Serbian (http://www.transifex.com/openstreetmap/umap/language/sr/)\n" "MIME-Version: 1.0\n" @@ -25,7 +25,7 @@ msgid "" "need a stable instance, please use %(stable_url)s. You can also host your own " "instance, it's open source!" -msgstr "" +msgstr "Ово је демо пример, који се користи за тестирање и pre-rolling издање. Ако вам је потребна стабилна инстанца, користите %(stable_url)s. Такође можете наручити сопствену инстанцу, која је отвореног кода!" #: tmp/framacarte/templates/umap/home.html:83 #: tmp/framacarte/templates/umap/navigation.html:14 @@ -80,7 +80,7 @@ msgstr "Могуће је уређивати само са тајним линк #: umap/middleware.py:14 msgid "Site is readonly for maintenance" -msgstr "" +msgstr "Доступно само ради одржавања сајта" #: umap/models.py:17 msgid "name" @@ -92,15 +92,15 @@ msgstr "Детаљи" #: umap/models.py:49 msgid "Link to a page where the licence is detailed." -msgstr "" +msgstr "Линк до странице на којој је лиценца детаљно описана" #: umap/models.py:63 msgid "URL template using OSM tile format" -msgstr "" +msgstr "URL шаблон користећи OSM формат" #: umap/models.py:71 msgid "Order of the tilelayers in the edit box" -msgstr "" +msgstr "Редослед слојева у пољу за уређивање" #: umap/models.py:116 msgid "Only editors can edit" @@ -140,11 +140,11 @@ msgstr "увећање" #: umap/models.py:129 msgid "locate" -msgstr "" +msgstr "пронаћи" #: umap/models.py:129 msgid "Locate user on load?" -msgstr "" +msgstr "Пронаћи корисника при уређивању" #: umap/models.py:132 msgid "Choose the map licence." @@ -176,15 +176,15 @@ msgstr "подешавања" #: umap/models.py:210 msgid "Clone of" -msgstr "" +msgstr "клон од" #: umap/models.py:261 msgid "display on load" -msgstr "" +msgstr "приказ при учитавању" #: umap/models.py:262 msgid "Display this layer on load." -msgstr "" +msgstr "Прикажи овај лејер при учитавању" #: umap/templates/404.html:7 msgid "Take me to the home page" @@ -193,12 +193,12 @@ msgstr "Врати ме на почетну страницу" #: umap/templates/auth/user_detail.html:7 #, python-format msgid "Browse %(current_user)s's maps" -msgstr "" +msgstr "Претражи %(current_user)s мапе" #: umap/templates/auth/user_detail.html:15 #, python-format msgid "%(current_user)s has no maps." -msgstr "" +msgstr "%(current_user)sне поседује мапу." #: umap/templates/registration/login.html:4 msgid "Please log in with your account" @@ -274,11 +274,11 @@ msgstr "Инспиришите се, претражите мапе" #: umap/templates/umap/login_popup_end.html:2 msgid "You are logged in. Continuing..." -msgstr "" +msgstr "Улоговани сте. Учитава се..." #: umap/templates/umap/map_list.html:7 umap/views.py:214 msgid "by" -msgstr "" +msgstr "од стране" #: umap/templates/umap/map_list.html:11 msgid "More" @@ -290,7 +290,7 @@ msgstr "О апликацији" #: umap/templates/umap/navigation.html:15 msgid "Feedback" -msgstr "" +msgstr "Повратна информација" #: umap/templates/umap/navigation.html:18 msgid "Change password" @@ -304,7 +304,7 @@ msgstr "Промена лозинке" msgid "" "Please enter your old password, for security's sake, and then enter your new" " password twice so we can verify you typed it in correctly." -msgstr "" +msgstr "Молимо вас да унесете своју стару лозинку из безбедносних разлога, а затим унесите своју нову лозинку два пута како бисмо могли да проверимо да ли сте је исправно унели." #: umap/templates/umap/password_change.html:12 msgid "Old password" @@ -332,7 +332,7 @@ msgstr "Ваша лозинка је промењена." #: umap/templates/umap/search.html:13 msgid "Not map found." -msgstr "Мапа није пронађена" +msgstr "Мапа није пронађена." #: umap/views.py:220 msgid "View the map" @@ -351,11 +351,11 @@ msgstr "Чесистамо, ваша мапа је креирана!" #: umap/views.py:561 msgid "Map has been updated!" -msgstr "Мапа је апдејтована!" +msgstr "Мапа је ажурирана!" #: umap/views.py:587 msgid "Map editors updated with success!" -msgstr "" +msgstr "Успешно су ажурирани уредници мапа!" #: umap/views.py:612 msgid "Only its owner can delete the map." diff --git a/umap/locale/tr/LC_MESSAGES/django.mo b/umap/locale/tr/LC_MESSAGES/django.mo index 9ae705d6fbfb583168b915e919e1afab6dc700ea..25d35bb2281bcbf06716f5a90d1111887660b975 100644 GIT binary patch literal 5879 zcmb7{ON=E|8OM(T3N1bWU!cgD(P6rw@9pjx(4l9hVcyfsQ>K|@5)C=`*6DkX^}5uf zd#cg6#1Iy`K;nju5hX^VPK-p74l(H-T^Lqwbi;xeV_fJ$R*(>X->JHN@65!gl|J`h zb?Q96@BjV3?^M5a=gluDu0`7CX~74TGT^H>^TRd!A*JpG=fGRQbKoxUNpKc?2K)l} zDtIUO2k_(ITcFJQ2dKf@KdjVez!rEbcno|HJPY0qu7RHep9Sv#e+0_7UxRmpZ#3`! z1hS-h2jow^$B)=`6N6>H+rS;*Ztzp!BKQgLDNtM*fHJQHW#4asvi@`6$H14H{$GJ# za{2q88c=tqY|0Cc>czz80 zGah5AvsO zVY0lx0~EXO2Bm+h>3L`@o-q2f(+%Hh3RK34don+24Q?ha8l+z6c8cuYRs`(6Y^7teyC zo0q`nz&AkgV-XT=0%K6@c^cdeeiM}SUIts>&p@&B&)@^Z;jbXBs5=m~tiKbKynh6g z{JaQCJ|v*b`wl4nz0f@W5S0CX-aNk!%Dmr!vhG{W`+tJCsNMyI|J&J2?79b(=N+Kv zW2WhU2ozoJZ{8mPzt8hmL8PJn24cRy#2&d$(!N5QqkWlnf+l+izei}3wEJnetd7!T zKjBFB7oQK)giE;&(iUiJIy570F2A=)vTT*AkrG>Ow9P52NEO1y=` z;dQ9Fk-QXcHMVNp)-n zd0QRoq-CKF1%W<)ZZV&yHw$f+PwU7f78s;a)k~AS-DYeOXjkmc^#P;%nO#1(bJt{M z2kBE~7ER?l7t(=Ebe@)3*B+QL3p>=|EM3j5zTN^>kj>SRzDask$CVzKJYP+-VAwVG zoTjW$^sSCeg<(2f))iaG3XC4TbzPe4xfrEwoGWfy-<#tvfY8o{ZDtp3ci|*XH?h8AX*2Y-HKFtxl&sW_gfk z@yOE|lNi{Ou<33Z!AY)-M5v1+ydC(hQ+mq*WY|Ejx}rbaVTT_fQt(bTL+V~A7Q#!` zV4*a#>P%Hf?5tfK#cKQk3zB7*#hylWHZ5d4!6*~VKNkg~S?3Zw6H-hkvW-a=jtk!@ zvJ2Jr7_okvMBnQQB(R!5mGsvPd288^on-ORYtQ}pp|*xMy6bhPu6rIb1NZ8@gx1p~ zL9PiWb!*8PJ;>4(7uan0f&{}TFU@q!-)XPN+>(Q?s8D`xLObmP#nQ-QG%Xn; zR~M^jm1NSZwTzIITdrh%T~q^t=|o7-PHK0HsA>=Gh`d&6%l%T*bQ`nqHie3kqZDnah;Ct-kSSr+LvtY*ic{8u@?KxF;#9iHWVc=!l=l1tluk$7B?( zwAYhhC2dWqDO^(GrqogfWZOxhSINU#m86SFeDUz|^Xbru(r#!2)u|Nq3z@0F=H1K< zq-Jqn7#HO#Xev@uhLnh3h%3t6-;+y2q*O(fvcobpIVd}n#wpd*N5y^=4CUSO*`#t? zV0Mx5pmmXx0WRi!&6;?EGbt-tXY!s4T8GPC z-dalM^~Cvettae?lYy?$vwd=J!7Q;4Ig~X_FVNrOYHbr$U;| z>tk_d`uft=l_)lA`hbaogD3fkQ?USLMjE75&x$(ndxFO^y7^1hzz7sX(HW@dGD zwOz=1ZrNUz88dQH=AHq>GE>S=)T}X6WHVC}XBN*K8+kR?o}Cc+5d78>**~ufd%2k5 z0CLHG5l%*Y4nDbbytQvMPBvV&S?gHRO#@;#ulIFav281BWE1D3GBZ)@c$&qW{mH;T z<_Gue*Y)ke$wV*cxvBjVH+)9yPPVQjoRX9^6Pax53h@cs>ZA!nUIa#M{W9t~J~YDN zdmBbr?yjz*pdzx_wBCHht@T`Un}$7`aIY>}y}6MWg^gS|p55c08fNpAtt+7pO_dlR z4WhFC9iPNNcQ%B+ln zlJ6*&HE*_Gs7sq0G9}~;>6DF8`WoL(%G+EAn;UC3Ds0C^cy|IDHMfDwTr4r_o0w{d zW5dny%*aA(+7xuFQ{G?QF%r0~D^)}}W~n4_>YP}}^vzd>x1kxBLY-jotLwU=5I$iO zG1KW4ss{N?p_iv>^R>hls72)CLnP&j$oRM8d-aG_*D{L@cQg|)Z@klgsO*OFnmssI zM@`@8WwREUW{QtjtS;Ha>8tA!^znQ0Da=eZT)tCAWfGf!g^uOnXo87E1YPKHYmuv& zMY5cF9kaDg21A%c93^bOOd8@Zn80$PkGaX`OA{Iv==;3UD;ROXM8!}DBDmc2UB@*& zl?aOUeKgyQ^{duH{?mfB$Zr%j+Y%=1cg?#54o8^~+Z?Hkg}pGbiSbf+IcgK}J2%y` zq(7oaNkw&fbE8-mNut=?bArL$Q4*Zk+*l#YNo=3NkVUB=SDI;d#5RfK;F(j7gOnZp zxFFqH&r0bI90}{k)O~!g890e?W|)B0DAsE(%ce%;66!Q8 zlQQGKE92Sp>2$c%Btv4uX{4D;wUh*^3~VO6AtQ)QzPUjqi{)iqazg%XkZj_|M?gMY z>vbTDjBo2xxRHqu5+J|B);cQa7p^jdNk|Y4=7xU&8-B)4@$v7eoeMX9U+JL%eD0i* zgdJ|tL`w365+VZ1BwCJBo6t<_F8Lg8Zv1c6zB1Hde2D9cf2wg>ROVB*E-I2J*ObGi zD2<7@t&iFj6U*mVog(AvmlD}l*XDI9#P)qzRhEBUr7Fe9MHSGxERLB(@##TEP`zmm$tyc$*SYm96v0?G=cw3hyhtuBiyzrKQ~+7vw*nz)p&H#u+=|3*S8 z|JFfop*$mXdB6fmRK6a4)gBm1Ikx+cIH_17iNJ&|G=Uk9#DDpA8#@oT<3AwLB>eKV nMu4qEBKGx!bHzqYEyI@W^Nb@E?QyjDqLH;#B}v0E+YtG0Fn{0k delta 1187 zcmXxjTS(JU9Ki9jvj1{Ur!%v3=HI-PvQo3Ol}`myMu~I->tX5A(Kc&a(C9%QdI<9+ z4oN{-5B3mAAbUu`H|-(nMS={Yda@ws0tta)^!<(FVdww(pUeMTe&_73|3T^CXK&U$ zMXD$J$VrD%hw$wN9;B&_N|oU>R^tNhz%^6v%TlVCasW4D7rL<6e(D_$)}|Jbxzrbw371g5`-wMj z6{TO2Ra_*>DXd|BwLtGy{D*t6C0nUVyo?foVU&T#OnDqDC{N)QTtpZCLYZ*Il$}&c zWW6Z$4Y(WIunPNdkVUBxUL>R%W#Tk)ylMgYsgFFQ-&d4@eqbFtSiyYC)l^FT0pk&* zNp+fXH_9F9N9jLg+V8rFzl8K56}k8VWuh5Vo<#}Sys3YWa)zHw`x1^){)2fq%pj~Q zlXe-`@vgt1%qio_{ma~HxzUp3+~l7i_dt?_S3)hTmn0Xfjx13!e~`=($*v^H;$Nwv&C@Z&m8E zR<)k6D)euwR<}Bf^-X6$FFTukDLWdxnoy@=k(3?k4JQZU3A-m4%e-q}cDYWGZI|B) z_r>gREPcn7=Wt$%4D?(H^`_Ty&Nv#I{7o%(V`E@{bA1EJbt0HZ`cKD$u|y=uZ~?n( zAj*IzL)W9TGm%Irp4Pc;hkllKP?vl5>V&6CPkT!AvZq6j;es$UlPb-uSw nk9loNV$txc$LS|U=N$h5C61PY diff --git a/umap/locale/tr/LC_MESSAGES/django.po b/umap/locale/tr/LC_MESSAGES/django.po index 03373401..dd0d0794 100644 --- a/umap/locale/tr/LC_MESSAGES/django.po +++ b/umap/locale/tr/LC_MESSAGES/django.po @@ -3,14 +3,15 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Emrah Yılmaz , 2020 # Roman Neumüller, 2020 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2020-02-27 11:54+0000\n" -"Last-Translator: Roman Neumüller\n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2020-08-03 21:35+0000\n" +"Last-Translator: Emrah Yılmaz \n" "Language-Team: Turkish (http://www.transifex.com/openstreetmap/umap/language/tr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -68,7 +69,7 @@ msgstr "Ara" #: umap/forms.py:40 #, python-format msgid "Secret edit link is %s" -msgstr "" +msgstr "Saklı düzenleme bağlantısı şu: %s" #: umap/forms.py:44 umap/models.py:115 msgid "Everyone can edit" @@ -76,11 +77,11 @@ msgstr "Herkes düzeltebilir" #: umap/forms.py:45 msgid "Only editable with secret edit link" -msgstr "" +msgstr "Yalnızca gizli düzenleme bağlantısı ile düzenlenebilir" #: umap/middleware.py:14 msgid "Site is readonly for maintenance" -msgstr "" +msgstr "Sitenin bakım modu olduğu için salt okunur" #: umap/models.py:17 msgid "name" @@ -116,7 +117,7 @@ msgstr "herkes (kamu)" #: umap/models.py:121 msgid "anyone with link" -msgstr "" +msgstr "bağlantısı olan herkes" #: umap/models.py:122 msgid "editors only" @@ -249,7 +250,7 @@ msgstr "" #: umap/templates/umap/about_summary.html:16 msgid "Choose the license for your data" -msgstr "" +msgstr "Verileriniz için lisansı seçin" #: umap/templates/umap/about_summary.html:17 msgid "Embed and share your map" @@ -258,85 +259,85 @@ msgstr "" #: umap/templates/umap/about_summary.html:23 #, python-format msgid "And it's open source!" -msgstr "" +msgstr "Ve üsttelik açık kaynak kodlu!" #: umap/templates/umap/about_summary.html:35 msgid "Play with the demo" -msgstr "" +msgstr "Deneme sayfalarla oyna" #: umap/templates/umap/home.html:17 msgid "Map of the uMaps" -msgstr "" +msgstr "uMaps'in haritası" #: umap/templates/umap/home.html:24 msgid "Get inspired, browse maps" -msgstr "" +msgstr "İlham alın, haritalara göz atın" #: umap/templates/umap/login_popup_end.html:2 msgid "You are logged in. Continuing..." -msgstr "" +msgstr "Giriş tamamlandı. Devam..." #: umap/templates/umap/map_list.html:7 umap/views.py:214 msgid "by" -msgstr "" +msgstr "tarafından" #: umap/templates/umap/map_list.html:11 msgid "More" -msgstr "" +msgstr "Daha fazla" #: umap/templates/umap/navigation.html:14 msgid "About" -msgstr "" +msgstr "Hakkında" #: umap/templates/umap/navigation.html:15 msgid "Feedback" -msgstr "" +msgstr "Geri bildirim" #: umap/templates/umap/navigation.html:18 msgid "Change password" -msgstr "" +msgstr "Şifre değiştir" #: umap/templates/umap/password_change.html:6 msgid "Password change" -msgstr "" +msgstr "Şifre değiştirme işlemi" #: umap/templates/umap/password_change.html:7 msgid "" "Please enter your old password, for security's sake, and then enter your new" " password twice so we can verify you typed it in correctly." -msgstr "" +msgstr "Güvenlik açısından lütfen eski şifrenizi girip ardından doğru girdiğinizi doğrulayabilmemiz için yeni şifrenizi iki kez girin." #: umap/templates/umap/password_change.html:12 msgid "Old password" -msgstr "" +msgstr "Eski şifre" #: umap/templates/umap/password_change.html:14 msgid "New password" -msgstr "" +msgstr "Yeni şifre" #: umap/templates/umap/password_change.html:16 msgid "New password confirmation" -msgstr "" +msgstr "Yeni şifre tekrar" #: umap/templates/umap/password_change.html:18 msgid "Change my password" -msgstr "" +msgstr "Şifrem değiştir" #: umap/templates/umap/password_change_done.html:6 msgid "Password change successful" -msgstr "" +msgstr "Şifrenin değiştirmesi başarıyla tamamlandı" #: umap/templates/umap/password_change_done.html:7 msgid "Your password was changed." -msgstr "" +msgstr "Şifren değiştirildi." #: umap/templates/umap/search.html:13 msgid "Not map found." -msgstr "" +msgstr "Harita bulunmadı" #: umap/views.py:220 msgid "View the map" -msgstr "" +msgstr "Haritayı görüntüle" #: umap/views.py:524 #, python-format @@ -347,19 +348,19 @@ msgstr "" #: umap/views.py:529 msgid "Congratulations, your map has been created!" -msgstr "" +msgstr "Tebrikler, haritan oluşturuldu!" #: umap/views.py:561 msgid "Map has been updated!" -msgstr "" +msgstr "Harita güncellendi!" #: umap/views.py:587 msgid "Map editors updated with success!" -msgstr "" +msgstr "Haritanın editörleri başarıyla güncellendi!" #: umap/views.py:612 msgid "Only its owner can delete the map." -msgstr "" +msgstr "Salt haritanın sahibi haritayı silebilir." #: umap/views.py:637 #, python-format @@ -374,4 +375,4 @@ msgstr "" #: umap/views.py:809 msgid "Layer successfully deleted." -msgstr "" +msgstr "Katman başarıyla silindi" diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index b3a7ef80..3a8bdeb5 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("am_ET", locale); L.setLocale("am_ET"); \ No newline at end of file diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 8a73426f..6221f415 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("cs_CZ", locale); L.setLocale("cs_CZ"); \ No newline at end of file diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index b9d1cb13..e7058ab6 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("da", locale); L.setLocale("da"); \ No newline at end of file diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index 45fb440f..aa7a09cf 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("de", locale); L.setLocale("de"); \ No newline at end of file diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 2e43bab5..88b33934 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("el", locale); L.setLocale("el"); \ No newline at end of file diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 55cd0c1d..32192272 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -4,13 +4,13 @@ var locale = { "Automatic": "Automático", "Ball": "Bola", "Cancel": "Cancelar", - "Caption": "subtítulo", + "Caption": "Subtítulo", "Change symbol": "Cambiar símbolo", "Choose the data format": "Elegir el formato de datos", "Choose the layer of the feature": "Elegir la capa del elemento", "Circle": "Círculo", "Clustered": "Agrupados", - "Data browser": "navegador de datos", + "Data browser": "Navegador de datos", "Default": "Predeterminado", "Default zoom level": "Nivel de acercamiento predeterminado", "Default: name": "Predeterminado: nombre", @@ -25,99 +25,99 @@ var locale = { "Display the tile layers control": "Mostrar el control de capas de teselas", "Display the zoom control": "Mostrar el control de acercamiento", "Do you want to display a caption bar?": "¿Quiere mostrar la barra de subtítulos?", - "Do you want to display a minimap?": "¿Quiere mostrar un mini-mapa?", + "Do you want to display a minimap?": "¿Quiere mostrar un minimapa?", "Do you want to display a panel on load?": "¿Quiere mostrar un panel al cargar?", "Do you want to display popup footer?": "¿Quiere mostrar la ventana emergente en el pie de página?", "Do you want to display the scale control?": "¿Quiere mostrar el control de escala?", "Do you want to display the «more» control?": "¿Quiere mostrar el control «más»?", "Drop": "Gota", - "GeoRSS (only link)": "georss (sólo enlace)", - "GeoRSS (title + image)": "georss (título + imagen)", + "GeoRSS (only link)": "GeoRSS (sólo enlace)", + "GeoRSS (title + image)": "GeoRSS (título + imagen)", "Heatmap": "Mapa de calor", - "Icon shape": "Icono de la forma", - "Icon symbol": "Icono del símbolo", + "Icon shape": "Forma de icono", + "Icon symbol": "Símbolo del icono", "Inherit": "Heredar", "Label direction": "Dirección de la etiqueta", "Label key": "Etiqueta de la clave", - "Labels are clickable": "Las etiquetas se podrán hacer clic", - "None": "ninguno", + "Labels are clickable": "Las etiquetas se pueden hacer clic", + "None": "Ninguno", "On the bottom": "En la parte inferior", "On the left": "A la izquierda", "On the right": "A la derecha", "On the top": "En la parte superior", - "Popup content template": "plantilla del contenido de la ventana emergente", + "Popup content template": "Plantilla de contenido emergente", "Set symbol": "Establecer símbolo", - "Side panel": "panel lateral", - "Simplify": "Simplifica", + "Side panel": "Panel lateral", + "Simplify": "Simplificar", "Symbol or url": "Símbolo o URL", - "Table": "tabla", + "Table": "Tabla", "always": "siempre", "clear": "limpiar", "collapsed": "contraído", "color": "color", - "dash array": "matriz de guiones", - "define": "define", - "description": "Descripción", + "dash array": "serie de guiones", + "define": "definir", + "description": "descripción", "expanded": "expandido", "fill": "rellenar", "fill color": "color de relleno", - "fill opacity": "rellenar la opacidad", - "hidden": "oculta", + "fill opacity": "opacidad del relleno", + "hidden": "escondido", "iframe": "iframe", "inherit": "heredar", - "name": "Nombre", + "name": "nombre", "never": "nunca", "new window": "nueva ventana", "no": "no", "on hover": "al pasar el ratón", "opacity": "opacidad", - "parent window": "ventana padre", + "parent window": "ventana principal", "stroke": "trazo", "weight": "peso", "yes": "si", - "{delay} seconds": "{delay} seconds", + "{delay} seconds": "{delay} segundos", "# one hash for main heading": "# una almohadilla para el encabezado principal", "## two hashes for second heading": "## dos almohadillas para el encabezado secundario", "### three hashes for third heading": "### tres almohadillas para el encabezado ternario", "**double star for bold**": "**dos asteriscos para negrita**", "*simple star for italic*": "*un asterisco para cursiva*", "--- for an horizontal rule": "--- para una línea horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Una lista separada por comas que define el patrón de trazos de guión. Ej.: \"5, 10, 15\".", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Una lista de números separados por comas que define el patrón de trazos. Por ejemplo: \"5, 10, 15\".", "About": "Acerca de", "Action not allowed :(": "Acción no permitida :(", - "Activate slideshow mode": "Activar el modo pase de diapositivas", + "Activate slideshow mode": "Activar el modo presentación de diapositivas", "Add a layer": "Añadir una capa", - "Add a line to the current multi": "Añadir una línea para el multi actual", + "Add a line to the current multi": "Añadir una línea para el multi elemento actual", "Add a new property": "Añadir una nueva propiedad", - "Add a polygon to the current multi": "Añadir un polígono para el multi actual", + "Add a polygon to the current multi": "Añadir un polígono al multi elemento actual", "Advanced actions": "Acciones avanzadas", "Advanced properties": "Propiedades avanzadas", "Advanced transition": "Transición avanzada", - "All properties are imported.": "Todas las propiedades son importadas.", + "All properties are imported.": "Todas las propiedades están importadas.", "Allow interactions": "Permitir interacciones", "An error occured": "Ocurrió un error", "Are you sure you want to cancel your changes?": "¿Está seguro que quiere cancelar sus cambios?", "Are you sure you want to clone this map and all its datalayers?": "¿Está seguro que quiere clonar este mapa y todas sus capas de datos?", - "Are you sure you want to delete the feature?": "¿Está seguro que quiere eliminar este elemento?", + "Are you sure you want to delete the feature?": "¿Está seguro que quiere borrar el elemento?", "Are you sure you want to delete this layer?": "¿Está seguro que quiere borrar esta capa?", - "Are you sure you want to delete this map?": "¿Está seguro que quiere eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "¿Esta seguro que quiere eliminar esta propiedad en todos los elementos?", + "Are you sure you want to delete this map?": "¿Está seguro que quiere borrar este mapa?", + "Are you sure you want to delete this property on all the features?": "¿Esta seguro que quiere borrar esta propiedad en todos los elementos?", "Are you sure you want to restore this version?": "¿Está seguro que quiere restaurar esta versión?", "Attach the map to my account": "Adjuntar el mapa a mi cuenta", "Auto": "Automático", "Autostart when map is loaded": "Autocomenzar cuando el mapa esté cargado", - "Bring feature to center": "Llevar al centro el elemento", + "Bring feature to center": "Traer el elemento al centro", "Browse data": "Navegar los datos", "Cancel edits": "Cancelar las ediciones", "Center map on your location": "Centrar el mapa en su ubicación", - "Change map background": "Cambiar mapa de fondo", - "Change tilelayers": "Cambiar capas de teselas", + "Change map background": "Cambiar el fondo del mapa", + "Change tilelayers": "Cambiar la capa de teselas", "Choose a preset": "Elegir un preestablecido", "Choose the format of the data to import": "Elegir el formato de los datos a importar", "Choose the layer to import in": "Elegir la capa a la que se importa", - "Click last point to finish shape": "Haga clic en el último punto para terminar la forma", + "Click last point to finish shape": "Haga clic en el último punto para terminar la figura", "Click to add a marker": "Haga clic para añadir un marcador", - "Click to continue drawing": "Haga clic para seguir dibujando", + "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", "Click to start drawing a line": "Haga clic para empezar a dibujar una línea", "Click to start drawing a polygon": "Haga clic para empezar a dibujar un polígono", @@ -126,31 +126,31 @@ var locale = { "Clone this feature": "Clonar este elemento", "Clone this map": "Clonar este mapa", "Close": "Cerrar", - "Clustering radius": "Radio de agrupación", - "Comma separated list of properties to use when filtering features": "Lista de propiedades separado por comas para utilizar el filtrado de elementos", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Valores separados por coma, tabulación o punto y coma. Se presupone formato SRS WGS84. Sólo se importan geometrías de punto. El importador buscará, en las cabeceras de cada columna, cualquier mención de «lat» y «lon» al comienzo de la cabecera, en mayúsculas o minúsculas. Todas las columnas restantes son importadas como propiedades.", + "Clustering radius": "Radio de agrupamiento", + "Comma separated list of properties to use when filtering features": "Lista separada por comas de las propiedades a utilizar al filtrar los elementos", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Valores separados por coma, tabulador o punto y coma. SRS WGS84 está implícito. Solo se importan las geometrías de los puntos. La importación buscará en los encabezados de las columnas cualquier mención de «lat» y «lon» al principio del encabezado, sin distinción de mayúsculas y minúsculas. Todas las demás columnas se importan como propiedades.", "Continue line": "Línea continua", "Continue line (Ctrl+Click)": "Línea continuada (Ctrl+Clic)", "Coordinates": "Coordenadas", "Credits": "Créditos", - "Current view instead of default map view?": "¿Vista actual en lugar de la vista predeterminada?", + "Current view instead of default map view?": "¿Vista actual en lugar de la vista del mapa predeterminada?", "Custom background": "Fondo personalizado", - "Data is browsable": "Data is browsable", + "Data is browsable": "Los datos son navegables", "Default interaction options": "Opciones de interacción predeterminados", "Default properties": "Propiedades predeterminadas", - "Default shape properties": "Propiedades de formas predeterminados", + "Default shape properties": "Propiedades de la figura predeterminada", "Define link to open in a new window on polygon click.": "Defina un enlace para abrir en un nueva ventana al hacer clic en el polígono.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas las capas", + "Delay between two transitions when in play mode": "Retraso entre dos transiciones cuando se está en el modo de reproducción", + "Delete": "Borrar", + "Delete all layers": "Borrar todas las capas", "Delete layer": "Borrar capa", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propiedad en todos los elementos", - "Delete this shape": "Eliminar esta forma", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clic)", + "Delete this feature": "Borrar este elemento", + "Delete this property on all the features": "Borrar esta propiedad en todos los elementos", + "Delete this shape": "Borrar esta figura", + "Delete this vertex (Alt+Click)": "Borrar este vértice (Alt+Clic)", "Directions from here": "Direcciones desde aquí", "Disable editing": "Deshabilitar la edición", - "Display measure": "Display measure", + "Display measure": "Mostrar medición", "Display on load": "Mostrar al cargar", "Download": "Descargar", "Download data": "Descargar datos", @@ -173,22 +173,22 @@ var locale = { "Empty": "Vaciar", "Enable editing": "Habilitar la edición", "Error in the tilelayer URL": "Error en la URL del la capa de teselas", - "Error while fetching {url}": "Error al recuperar {url}", + "Error while fetching {url}": "Error al traer {url}", "Exit Fullscreen": "Salir de la pantalla completa", - "Extract shape to separate feature": "Extraer la forma al elemento separado", - "Fetch data each time map view changes.": "Traer datos cada vez que la vista del mapa cambia.", + "Extract shape to separate feature": "Extraer la figura a un elemento separado", + "Fetch data each time map view changes.": "Traer datos cada vez que la vista del mapa cambie.", "Filter keys": "Claves de filtrado", "Filter…": "Filtro...", "Format": "Formato", "From zoom": "Desde el acercamiento", - "Full map data": "Full map data", + "Full map data": "Datos completos del mapa", "Go to «{feature}»": "Ir a «{feature}»", - "Heatmap intensity property": "Propiedad intensidad del mapa de calor", + "Heatmap intensity property": "Propiedad de la intensidad del mapa de calor", "Heatmap radius": "Radio del mapa de calor", "Help": "Ayuda", "Hide controls": "Ocultar controles", "Home": "Inicio", - "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Cuánto se simplificará la polilínea en cada nivel de acercamiento (más = mejor comportamiento y apariencia más suave, menos = más preciso)", + "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Cuánto simplificar la polilínea en cada nivel de acercamiento (más = mejor rendimiento y aspecto más suave, menos = más preciso)", "If false, the polygon will act as a part of the underlying map.": "Si falso, el polígono actuará como una parte del mapa subyacente.", "Iframe export options": "Opciones de exportación del iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe con altura personalizada (en píxeles): {{{http://iframe.url.com|altura}}}", @@ -200,54 +200,54 @@ var locale = { "Import data": "Importar datos", "Import in a new layer": "Importar en una nueva capa", "Imports all umap data, including layers and settings.": "Importar todos los datos umap, incluyendo capas y ajustes.", - "Include full screen link?": "¿Incluir el enlace de pantalla completa?", + "Include full screen link?": "¿Incluir el enlace a pantalla completa?", "Interaction options": "Opciones de interacción", - "Invalid umap data": "Dato umap inválido", - "Invalid umap data in {filename}": "Dato umap inválido en {filename}", + "Invalid umap data": "Datos umap inválido", + "Invalid umap data in {filename}": "Datos umap inválido en {filename}", "Keep current visible layers": "Guardar capas visibles actuales", "Latitude": "Latitud", "Layer": "Capa", "Layer properties": "Propiedades de la capa", "Licence": "Licencia", - "Limit bounds": "Limitar los límites", + "Limit bounds": "Límites", "Link to…": "Enlace a...", "Link with text: [[http://example.com|text of the link]]": "Enlace con texto: [[http://ejemplo.com|texto del enlace]]", - "Long credits": "créditos largo", + "Long credits": "Créditos largos", "Longitude": "Longitud", - "Make main shape": "Hacer la forma principal", + "Make main shape": "Hacer la figura principal", "Manage layers": "Gestionar capas", - "Map background credits": "Créditos del mapa de fondo", + "Map background credits": "Créditos del fondo del mapa", "Map has been attached to your account": "El mapa se ha adjuntado a su cuenta", "Map has been saved!": "¡Se ha guardado el mapa!", - "Map user content has been published under licence": "El contenido del mapa del usuario ha sido publicados bajo la licencia", + "Map user content has been published under licence": "El contenido del mapa del usuario se ha publicado bajo la licencia", "Map's editors": "Editores del mapa", "Map's owner": "Propietario del mapa", "Merge lines": "Combinar líneas", "More controls": "Más controles", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Debe ser un valor CSS válido (por ej.: DarkBlue o #123456)", - "No licence has been set": "Ninguna licencia se ha establecido", - "No results": "Sin resultado", - "Only visible features will be downloaded.": "Sólo los elementos visibles se descargarán.", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Debe ser un valor CSS válido (por ejemplo: DarkBlue o #123456)", + "No licence has been set": "Ninguna licencia se ha establecida", + "No results": "Sin resultados", + "Only visible features will be downloaded.": "Sólo se descargarán los elementos visibles.", "Open download panel": "Abrir el panel de descarga", "Open link in…": "Abrir enlace en...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abre la extensión de este mapa en un editor de mapas para proveer datos más precisos a OpenStreetMap", - "Optional intensity property for heatmap": "Propiedad intensidad opcional para el mapa de calor", - "Optional. Same as color if not set.": "Opcional. El mismo color si no se establece.", + "Optional intensity property for heatmap": "Propiedad de intensidad opcional para el mapa de calor", + "Optional. Same as color if not set.": "Opcional. Igual que el color si no está establecido.", "Override clustering radius (default 80)": "Sobrescribir el radio de agrupación (predeterminado 80)", - "Override heatmap radius (default 25)": "Sobreescribir el radio del mapa de calor (predeterminado 25)", - "Please be sure the licence is compliant with your use.": "Asegúrase que la licencia sea compatible con el uso que le va a dar.", - "Please choose a format": "Elije un formato", + "Override heatmap radius (default 25)": "Sobrescribir el radio del mapa de calor (predeterminado 25)", + "Please be sure the licence is compliant with your use.": "Asegúrese que la licencia sea compatible con el uso que le va a dar.", + "Please choose a format": "Elija un formato", "Please enter the name of the property": "Introduzca el nombre de la propiedad", "Please enter the new name of this property": "Introduzca el nuevo nombre de esta propiedad", "Powered by Leaflet and Django, glued by uMap project.": "Impulsado por Leaflet y Django, pegado por proyecto uMap.", "Problem in the response": "Problema en la respuesta", "Problem in the response format": "Problema con el formato de respuesta", "Properties imported:": "Propiedades importadas:", - "Property to use for sorting features": "Propiedad para ordenar los elementos", + "Property to use for sorting features": "Propiedad a utilizar para ordenar los elementos", "Provide an URL here": "Proporcione una URL aquí", - "Proxy request": "Petición a proxy", + "Proxy request": "Petición proxy", "Remote data": "Datos remotos", - "Remove shape from the multi": "Quitar la forma del multi", + "Remove shape from the multi": "Quitar la figura del multi elemento", "Rename this property on all the features": "Renombrar esta propiedad en todos los elementos", "Replace layer content": "Reemplaza el contenido de la capa", "Restore this version": "Restaurar esta versión", @@ -262,14 +262,14 @@ var locale = { "See all": "Ver todo", "See data layers": "Ver capas de datos", "See full screen": "Ver pantalla completa", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Propiedades de la forma", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Establecer en falso para ocultar esta capa de la presentación de diapositivas, el navegador de datos, la navegación emergente...", + "Shape properties": "Propiedades de la figura", "Short URL": "URL corta", - "Short credits": "créditos corto", + "Short credits": "Créditos cortos", "Show/hide layer": "Mostrar/ocultar capa", "Simple link: [[http://example.com]]": "Enlace simple: [[http://ejemplo.com]]", "Slideshow": "Presentación de diapositivas", - "Smart transitions": "Smart transitions", + "Smart transitions": "Transiciones inteligentes", "Sort key": "Orden de la clave", "Split line": "Linea de división", "Start a hole here": "Iniciar un agujero aquí", @@ -278,17 +278,17 @@ var locale = { "Stop editing": "Parar de editar", "Stop slideshow": "Parar presentación de diapositivas", "Supported scheme": "Esquema soportado", - "Supported variables that will be dynamically replaced": "Variables soportadas que serán reemplazadas dinámicamente", - "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "El símbolo puede ser un carácter unicode o una URL. Puede usar las propiedades del elemento como variables: ej.: \"http://myserver.org/images/{name}.png\", la variable {name} será remplazada por el valor \"name\" de cada marcador.", + "Supported variables that will be dynamically replaced": "Las variables soportadas que serán reemplazadas dinámicamente", + "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "El símbolo puede ser un carácter unicode o una URL. Se pueden usar propiedades del elemento como variables: por ejemplo: con \"http://myserver.org/images/{name}.png\", la variable {name} será reemplazada por el valor \"name\" de cada marcador.", "TMS format": "formato TMS", "Text color for the cluster label": "Color del texto para la etiqueta clúster", "Text formatting": "Formato de texto", - "The name of the property to use as feature label (ex.: \"nom\")": "El nombre de la propiedad a usar como etiqueta del elemento (ej.: «nom»)", + "The name of the property to use as feature label (ex.: \"nom\")": "El nombre de la propiedad a usar como etiqueta del elemento (ejemplo: «nom»)", "The zoom and center have been setted.": "El acercamiento y el centrado han sido establecidos.", "To use if remote server doesn't allow cross domain (slower)": "Para utilizar si el servidor remoto no permite dominios cruzados (más lento)", - "To zoom": "Para el acercamiento", + "To zoom": "Para acercar/alejar", "Toggle edit mode (Shift+Click)": "Conmuta el modo edición (Shift+Clic)", - "Transfer shape to edited feature": "Transferir la forma al elemento editada", + "Transfer shape to edited feature": "Transferir la figura al elemento editado", "Transform to lines": "Transformar a líneas", "Transform to polygon": "Transformar a polígono", "Type of layer": "Tipo de capa", @@ -356,21 +356,21 @@ var locale = { "1 day": "1 día", "1 hour": "1 hora", "5 min": "5 min", - "Cache proxied request": "Guardar la petición al proxy", - "No cache": "Sin cache", + "Cache proxied request": "Caché de la petición proxy", + "No cache": "Sin caché", "Popup": "Ventana emergente", "Popup (large)": "Ventana emergente (grande)", - "Popup content style": "Estilo del contenido de la ventana emergente", + "Popup content style": "Estilo del contenido emergente", "Popup shape": "Forma de la ventana emergente", "Skipping unknown geometry.type: {type}": "Ignorando tipo de geometría desconocida: {type}", "Optional.": "Opcional.", "Paste your data here": "Pega tus datos aquí", - "Please save the map first": "Por favor guarda primero el mapa", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", + "Please save the map first": "Guarde primero el mapa", + "Unable to locate you.": "No se pudo ubicar.", + "Feature identifier key": "Clave de identificación del elemento", + "Open current feature on load": "Abrir el elemento actual al cargar", "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "The name of the property to use as feature unique identifier.": "El nombre de la propiedad a utilizar como identificador único del elemento." }; L.registerLocale("es", locale); L.setLocale("es"); \ No newline at end of file diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 1040ef13..5e501cb2 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -4,13 +4,13 @@ "Automatic": "Automático", "Ball": "Bola", "Cancel": "Cancelar", - "Caption": "subtítulo", + "Caption": "Subtítulo", "Change symbol": "Cambiar símbolo", "Choose the data format": "Elegir el formato de datos", "Choose the layer of the feature": "Elegir la capa del elemento", "Circle": "Círculo", "Clustered": "Agrupados", - "Data browser": "navegador de datos", + "Data browser": "Navegador de datos", "Default": "Predeterminado", "Default zoom level": "Nivel de acercamiento predeterminado", "Default: name": "Predeterminado: nombre", @@ -25,99 +25,99 @@ "Display the tile layers control": "Mostrar el control de capas de teselas", "Display the zoom control": "Mostrar el control de acercamiento", "Do you want to display a caption bar?": "¿Quiere mostrar la barra de subtítulos?", - "Do you want to display a minimap?": "¿Quiere mostrar un mini-mapa?", + "Do you want to display a minimap?": "¿Quiere mostrar un minimapa?", "Do you want to display a panel on load?": "¿Quiere mostrar un panel al cargar?", "Do you want to display popup footer?": "¿Quiere mostrar la ventana emergente en el pie de página?", "Do you want to display the scale control?": "¿Quiere mostrar el control de escala?", "Do you want to display the «more» control?": "¿Quiere mostrar el control «más»?", "Drop": "Gota", - "GeoRSS (only link)": "georss (sólo enlace)", - "GeoRSS (title + image)": "georss (título + imagen)", + "GeoRSS (only link)": "GeoRSS (sólo enlace)", + "GeoRSS (title + image)": "GeoRSS (título + imagen)", "Heatmap": "Mapa de calor", - "Icon shape": "Icono de la forma", - "Icon symbol": "Icono del símbolo", + "Icon shape": "Forma de icono", + "Icon symbol": "Símbolo del icono", "Inherit": "Heredar", "Label direction": "Dirección de la etiqueta", "Label key": "Etiqueta de la clave", - "Labels are clickable": "Las etiquetas se podrán hacer clic", - "None": "ninguno", + "Labels are clickable": "Las etiquetas se pueden hacer clic", + "None": "Ninguno", "On the bottom": "En la parte inferior", "On the left": "A la izquierda", "On the right": "A la derecha", "On the top": "En la parte superior", - "Popup content template": "plantilla del contenido de la ventana emergente", + "Popup content template": "Plantilla de contenido emergente", "Set symbol": "Establecer símbolo", - "Side panel": "panel lateral", - "Simplify": "Simplifica", + "Side panel": "Panel lateral", + "Simplify": "Simplificar", "Symbol or url": "Símbolo o URL", - "Table": "tabla", + "Table": "Tabla", "always": "siempre", "clear": "limpiar", "collapsed": "contraído", "color": "color", - "dash array": "matriz de guiones", - "define": "define", - "description": "Descripción", + "dash array": "serie de guiones", + "define": "definir", + "description": "descripción", "expanded": "expandido", "fill": "rellenar", "fill color": "color de relleno", - "fill opacity": "rellenar la opacidad", - "hidden": "oculta", + "fill opacity": "opacidad del relleno", + "hidden": "escondido", "iframe": "iframe", "inherit": "heredar", - "name": "Nombre", + "name": "nombre", "never": "nunca", "new window": "nueva ventana", "no": "no", "on hover": "al pasar el ratón", "opacity": "opacidad", - "parent window": "ventana padre", + "parent window": "ventana principal", "stroke": "trazo", "weight": "peso", "yes": "si", - "{delay} seconds": "{delay} seconds", + "{delay} seconds": "{delay} segundos", "# one hash for main heading": "# una almohadilla para el encabezado principal", "## two hashes for second heading": "## dos almohadillas para el encabezado secundario", "### three hashes for third heading": "### tres almohadillas para el encabezado ternario", "**double star for bold**": "**dos asteriscos para negrita**", "*simple star for italic*": "*un asterisco para cursiva*", "--- for an horizontal rule": "--- para una línea horizontal", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Una lista separada por comas que define el patrón de trazos de guión. Ej.: \"5, 10, 15\".", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Una lista de números separados por comas que define el patrón de trazos. Por ejemplo: \"5, 10, 15\".", "About": "Acerca de", "Action not allowed :(": "Acción no permitida :(", - "Activate slideshow mode": "Activar el modo pase de diapositivas", + "Activate slideshow mode": "Activar el modo presentación de diapositivas", "Add a layer": "Añadir una capa", - "Add a line to the current multi": "Añadir una línea para el multi actual", + "Add a line to the current multi": "Añadir una línea para el multi elemento actual", "Add a new property": "Añadir una nueva propiedad", - "Add a polygon to the current multi": "Añadir un polígono para el multi actual", + "Add a polygon to the current multi": "Añadir un polígono al multi elemento actual", "Advanced actions": "Acciones avanzadas", "Advanced properties": "Propiedades avanzadas", "Advanced transition": "Transición avanzada", - "All properties are imported.": "Todas las propiedades son importadas.", + "All properties are imported.": "Todas las propiedades están importadas.", "Allow interactions": "Permitir interacciones", "An error occured": "Ocurrió un error", "Are you sure you want to cancel your changes?": "¿Está seguro que quiere cancelar sus cambios?", "Are you sure you want to clone this map and all its datalayers?": "¿Está seguro que quiere clonar este mapa y todas sus capas de datos?", - "Are you sure you want to delete the feature?": "¿Está seguro que quiere eliminar este elemento?", + "Are you sure you want to delete the feature?": "¿Está seguro que quiere borrar el elemento?", "Are you sure you want to delete this layer?": "¿Está seguro que quiere borrar esta capa?", - "Are you sure you want to delete this map?": "¿Está seguro que quiere eliminar este mapa?", - "Are you sure you want to delete this property on all the features?": "¿Esta seguro que quiere eliminar esta propiedad en todos los elementos?", + "Are you sure you want to delete this map?": "¿Está seguro que quiere borrar este mapa?", + "Are you sure you want to delete this property on all the features?": "¿Esta seguro que quiere borrar esta propiedad en todos los elementos?", "Are you sure you want to restore this version?": "¿Está seguro que quiere restaurar esta versión?", "Attach the map to my account": "Adjuntar el mapa a mi cuenta", "Auto": "Automático", "Autostart when map is loaded": "Autocomenzar cuando el mapa esté cargado", - "Bring feature to center": "Llevar al centro el elemento", + "Bring feature to center": "Traer el elemento al centro", "Browse data": "Navegar los datos", "Cancel edits": "Cancelar las ediciones", "Center map on your location": "Centrar el mapa en su ubicación", - "Change map background": "Cambiar mapa de fondo", - "Change tilelayers": "Cambiar capas de teselas", + "Change map background": "Cambiar el fondo del mapa", + "Change tilelayers": "Cambiar la capa de teselas", "Choose a preset": "Elegir un preestablecido", "Choose the format of the data to import": "Elegir el formato de los datos a importar", "Choose the layer to import in": "Elegir la capa a la que se importa", - "Click last point to finish shape": "Haga clic en el último punto para terminar la forma", + "Click last point to finish shape": "Haga clic en el último punto para terminar la figura", "Click to add a marker": "Haga clic para añadir un marcador", - "Click to continue drawing": "Haga clic para seguir dibujando", + "Click to continue drawing": "Haga clic para continuar dibujando", "Click to edit": "Clic para editar", "Click to start drawing a line": "Haga clic para empezar a dibujar una línea", "Click to start drawing a polygon": "Haga clic para empezar a dibujar un polígono", @@ -126,31 +126,31 @@ "Clone this feature": "Clonar este elemento", "Clone this map": "Clonar este mapa", "Close": "Cerrar", - "Clustering radius": "Radio de agrupación", - "Comma separated list of properties to use when filtering features": "Lista de propiedades separado por comas para utilizar el filtrado de elementos", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Valores separados por coma, tabulación o punto y coma. Se presupone formato SRS WGS84. Sólo se importan geometrías de punto. El importador buscará, en las cabeceras de cada columna, cualquier mención de «lat» y «lon» al comienzo de la cabecera, en mayúsculas o minúsculas. Todas las columnas restantes son importadas como propiedades.", + "Clustering radius": "Radio de agrupamiento", + "Comma separated list of properties to use when filtering features": "Lista separada por comas de las propiedades a utilizar al filtrar los elementos", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Valores separados por coma, tabulador o punto y coma. SRS WGS84 está implícito. Solo se importan las geometrías de los puntos. La importación buscará en los encabezados de las columnas cualquier mención de «lat» y «lon» al principio del encabezado, sin distinción de mayúsculas y minúsculas. Todas las demás columnas se importan como propiedades.", "Continue line": "Línea continua", "Continue line (Ctrl+Click)": "Línea continuada (Ctrl+Clic)", "Coordinates": "Coordenadas", "Credits": "Créditos", - "Current view instead of default map view?": "¿Vista actual en lugar de la vista predeterminada?", + "Current view instead of default map view?": "¿Vista actual en lugar de la vista del mapa predeterminada?", "Custom background": "Fondo personalizado", - "Data is browsable": "Data is browsable", + "Data is browsable": "Los datos son navegables", "Default interaction options": "Opciones de interacción predeterminados", "Default properties": "Propiedades predeterminadas", - "Default shape properties": "Propiedades de formas predeterminados", + "Default shape properties": "Propiedades de la figura predeterminada", "Define link to open in a new window on polygon click.": "Defina un enlace para abrir en un nueva ventana al hacer clic en el polígono.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Eliminar", - "Delete all layers": "Eliminar todas las capas", + "Delay between two transitions when in play mode": "Retraso entre dos transiciones cuando se está en el modo de reproducción", + "Delete": "Borrar", + "Delete all layers": "Borrar todas las capas", "Delete layer": "Borrar capa", - "Delete this feature": "Eliminar este elemento", - "Delete this property on all the features": "Eliminar esta propiedad en todos los elementos", - "Delete this shape": "Eliminar esta forma", - "Delete this vertex (Alt+Click)": "Eliminar este vértice (Alt+Clic)", + "Delete this feature": "Borrar este elemento", + "Delete this property on all the features": "Borrar esta propiedad en todos los elementos", + "Delete this shape": "Borrar esta figura", + "Delete this vertex (Alt+Click)": "Borrar este vértice (Alt+Clic)", "Directions from here": "Direcciones desde aquí", "Disable editing": "Deshabilitar la edición", - "Display measure": "Display measure", + "Display measure": "Mostrar medición", "Display on load": "Mostrar al cargar", "Download": "Descargar", "Download data": "Descargar datos", @@ -173,22 +173,22 @@ "Empty": "Vaciar", "Enable editing": "Habilitar la edición", "Error in the tilelayer URL": "Error en la URL del la capa de teselas", - "Error while fetching {url}": "Error al recuperar {url}", + "Error while fetching {url}": "Error al traer {url}", "Exit Fullscreen": "Salir de la pantalla completa", - "Extract shape to separate feature": "Extraer la forma al elemento separado", - "Fetch data each time map view changes.": "Traer datos cada vez que la vista del mapa cambia.", + "Extract shape to separate feature": "Extraer la figura a un elemento separado", + "Fetch data each time map view changes.": "Traer datos cada vez que la vista del mapa cambie.", "Filter keys": "Claves de filtrado", "Filter…": "Filtro...", "Format": "Formato", "From zoom": "Desde el acercamiento", - "Full map data": "Full map data", + "Full map data": "Datos completos del mapa", "Go to «{feature}»": "Ir a «{feature}»", - "Heatmap intensity property": "Propiedad intensidad del mapa de calor", + "Heatmap intensity property": "Propiedad de la intensidad del mapa de calor", "Heatmap radius": "Radio del mapa de calor", "Help": "Ayuda", "Hide controls": "Ocultar controles", "Home": "Inicio", - "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Cuánto se simplificará la polilínea en cada nivel de acercamiento (más = mejor comportamiento y apariencia más suave, menos = más preciso)", + "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Cuánto simplificar la polilínea en cada nivel de acercamiento (más = mejor rendimiento y aspecto más suave, menos = más preciso)", "If false, the polygon will act as a part of the underlying map.": "Si falso, el polígono actuará como una parte del mapa subyacente.", "Iframe export options": "Opciones de exportación del iframe", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe con altura personalizada (en píxeles): {{{http://iframe.url.com|altura}}}", @@ -200,54 +200,54 @@ "Import data": "Importar datos", "Import in a new layer": "Importar en una nueva capa", "Imports all umap data, including layers and settings.": "Importar todos los datos umap, incluyendo capas y ajustes.", - "Include full screen link?": "¿Incluir el enlace de pantalla completa?", + "Include full screen link?": "¿Incluir el enlace a pantalla completa?", "Interaction options": "Opciones de interacción", - "Invalid umap data": "Dato umap inválido", - "Invalid umap data in {filename}": "Dato umap inválido en {filename}", + "Invalid umap data": "Datos umap inválido", + "Invalid umap data in {filename}": "Datos umap inválido en {filename}", "Keep current visible layers": "Guardar capas visibles actuales", "Latitude": "Latitud", "Layer": "Capa", "Layer properties": "Propiedades de la capa", "Licence": "Licencia", - "Limit bounds": "Limitar los límites", + "Limit bounds": "Límites", "Link to…": "Enlace a...", "Link with text: [[http://example.com|text of the link]]": "Enlace con texto: [[http://ejemplo.com|texto del enlace]]", - "Long credits": "créditos largo", + "Long credits": "Créditos largos", "Longitude": "Longitud", - "Make main shape": "Hacer la forma principal", + "Make main shape": "Hacer la figura principal", "Manage layers": "Gestionar capas", - "Map background credits": "Créditos del mapa de fondo", + "Map background credits": "Créditos del fondo del mapa", "Map has been attached to your account": "El mapa se ha adjuntado a su cuenta", "Map has been saved!": "¡Se ha guardado el mapa!", - "Map user content has been published under licence": "El contenido del mapa del usuario ha sido publicados bajo la licencia", + "Map user content has been published under licence": "El contenido del mapa del usuario se ha publicado bajo la licencia", "Map's editors": "Editores del mapa", "Map's owner": "Propietario del mapa", "Merge lines": "Combinar líneas", "More controls": "Más controles", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Debe ser un valor CSS válido (por ej.: DarkBlue o #123456)", - "No licence has been set": "Ninguna licencia se ha establecido", - "No results": "Sin resultado", - "Only visible features will be downloaded.": "Sólo los elementos visibles se descargarán.", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Debe ser un valor CSS válido (por ejemplo: DarkBlue o #123456)", + "No licence has been set": "Ninguna licencia se ha establecida", + "No results": "Sin resultados", + "Only visible features will be downloaded.": "Sólo se descargarán los elementos visibles.", "Open download panel": "Abrir el panel de descarga", "Open link in…": "Abrir enlace en...", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Abre la extensión de este mapa en un editor de mapas para proveer datos más precisos a OpenStreetMap", - "Optional intensity property for heatmap": "Propiedad intensidad opcional para el mapa de calor", - "Optional. Same as color if not set.": "Opcional. El mismo color si no se establece.", + "Optional intensity property for heatmap": "Propiedad de intensidad opcional para el mapa de calor", + "Optional. Same as color if not set.": "Opcional. Igual que el color si no está establecido.", "Override clustering radius (default 80)": "Sobrescribir el radio de agrupación (predeterminado 80)", - "Override heatmap radius (default 25)": "Sobreescribir el radio del mapa de calor (predeterminado 25)", - "Please be sure the licence is compliant with your use.": "Asegúrase que la licencia sea compatible con el uso que le va a dar.", - "Please choose a format": "Elije un formato", + "Override heatmap radius (default 25)": "Sobrescribir el radio del mapa de calor (predeterminado 25)", + "Please be sure the licence is compliant with your use.": "Asegúrese que la licencia sea compatible con el uso que le va a dar.", + "Please choose a format": "Elija un formato", "Please enter the name of the property": "Introduzca el nombre de la propiedad", "Please enter the new name of this property": "Introduzca el nuevo nombre de esta propiedad", "Powered by Leaflet and Django, glued by uMap project.": "Impulsado por Leaflet y Django, pegado por proyecto uMap.", "Problem in the response": "Problema en la respuesta", "Problem in the response format": "Problema con el formato de respuesta", "Properties imported:": "Propiedades importadas:", - "Property to use for sorting features": "Propiedad para ordenar los elementos", + "Property to use for sorting features": "Propiedad a utilizar para ordenar los elementos", "Provide an URL here": "Proporcione una URL aquí", - "Proxy request": "Petición a proxy", + "Proxy request": "Petición proxy", "Remote data": "Datos remotos", - "Remove shape from the multi": "Quitar la forma del multi", + "Remove shape from the multi": "Quitar la figura del multi elemento", "Rename this property on all the features": "Renombrar esta propiedad en todos los elementos", "Replace layer content": "Reemplaza el contenido de la capa", "Restore this version": "Restaurar esta versión", @@ -262,14 +262,14 @@ "See all": "Ver todo", "See data layers": "Ver capas de datos", "See full screen": "Ver pantalla completa", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Propiedades de la forma", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Establecer en falso para ocultar esta capa de la presentación de diapositivas, el navegador de datos, la navegación emergente...", + "Shape properties": "Propiedades de la figura", "Short URL": "URL corta", - "Short credits": "créditos corto", + "Short credits": "Créditos cortos", "Show/hide layer": "Mostrar/ocultar capa", "Simple link: [[http://example.com]]": "Enlace simple: [[http://ejemplo.com]]", "Slideshow": "Presentación de diapositivas", - "Smart transitions": "Smart transitions", + "Smart transitions": "Transiciones inteligentes", "Sort key": "Orden de la clave", "Split line": "Linea de división", "Start a hole here": "Iniciar un agujero aquí", @@ -278,17 +278,17 @@ "Stop editing": "Parar de editar", "Stop slideshow": "Parar presentación de diapositivas", "Supported scheme": "Esquema soportado", - "Supported variables that will be dynamically replaced": "Variables soportadas que serán reemplazadas dinámicamente", - "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "El símbolo puede ser un carácter unicode o una URL. Puede usar las propiedades del elemento como variables: ej.: \"http://myserver.org/images/{name}.png\", la variable {name} será remplazada por el valor \"name\" de cada marcador.", + "Supported variables that will be dynamically replaced": "Las variables soportadas que serán reemplazadas dinámicamente", + "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "El símbolo puede ser un carácter unicode o una URL. Se pueden usar propiedades del elemento como variables: por ejemplo: con \"http://myserver.org/images/{name}.png\", la variable {name} será reemplazada por el valor \"name\" de cada marcador.", "TMS format": "formato TMS", "Text color for the cluster label": "Color del texto para la etiqueta clúster", "Text formatting": "Formato de texto", - "The name of the property to use as feature label (ex.: \"nom\")": "El nombre de la propiedad a usar como etiqueta del elemento (ej.: «nom»)", + "The name of the property to use as feature label (ex.: \"nom\")": "El nombre de la propiedad a usar como etiqueta del elemento (ejemplo: «nom»)", "The zoom and center have been setted.": "El acercamiento y el centrado han sido establecidos.", "To use if remote server doesn't allow cross domain (slower)": "Para utilizar si el servidor remoto no permite dominios cruzados (más lento)", - "To zoom": "Para el acercamiento", + "To zoom": "Para acercar/alejar", "Toggle edit mode (Shift+Click)": "Conmuta el modo edición (Shift+Clic)", - "Transfer shape to edited feature": "Transferir la forma al elemento editada", + "Transfer shape to edited feature": "Transferir la figura al elemento editado", "Transform to lines": "Transformar a líneas", "Transform to polygon": "Transformar a polígono", "Type of layer": "Tipo de capa", @@ -356,19 +356,19 @@ "1 day": "1 día", "1 hour": "1 hora", "5 min": "5 min", - "Cache proxied request": "Guardar la petición al proxy", - "No cache": "Sin cache", + "Cache proxied request": "Caché de la petición proxy", + "No cache": "Sin caché", "Popup": "Ventana emergente", "Popup (large)": "Ventana emergente (grande)", - "Popup content style": "Estilo del contenido de la ventana emergente", + "Popup content style": "Estilo del contenido emergente", "Popup shape": "Forma de la ventana emergente", "Skipping unknown geometry.type: {type}": "Ignorando tipo de geometría desconocida: {type}", "Optional.": "Opcional.", "Paste your data here": "Pega tus datos aquí", - "Please save the map first": "Por favor guarda primero el mapa", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", + "Please save the map first": "Guarde primero el mapa", + "Unable to locate you.": "No se pudo ubicar.", + "Feature identifier key": "Clave de identificación del elemento", + "Open current feature on load": "Abrir el elemento actual al cargar", "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} + "The name of the property to use as feature unique identifier.": "El nombre de la propiedad a utilizar como identificador único del elemento." +} \ No newline at end of file diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index c4d419ec..95c9e2f1 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -6,16 +6,16 @@ var locale = { "Cancel": "Loobu", "Caption": "Legend", "Change symbol": "Vaheta sümbol", - "Choose the data format": "Vali kuupäeva vorming", + "Choose the data format": "Vali andmevorming", "Choose the layer of the feature": "Vali elemendi kiht", "Circle": "Ring", - "Clustered": "Clustered", + "Clustered": "Klasterdatud", "Data browser": "Andmete sirvimine", "Default": "Vaikesäte", "Default zoom level": "Vaikimisi suurendusaste", "Default: name": "Vaikimisi: name", "Display label": "Kuva silt", - "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", + "Display the control to open OpenStreetMap editor": "Kuva OpenStreetMap'i redaktori avamise nupp", "Display the data layers control": "Kuva andmekihtide nupp", "Display the embed control": "Kuva jagamise nupp", "Display the fullscreen control": "Kuva täisekraani nupp", @@ -27,7 +27,7 @@ var locale = { "Do you want to display a caption bar?": "Kas soovid kuvada tiitelriba?", "Do you want to display a minimap?": "Kas soovid kuvada minikaarti?", "Do you want to display a panel on load?": "Kas soovid kuvada külgpaneeli laadimisel?", - "Do you want to display popup footer?": "Do you want to display popup footer?", + "Do you want to display popup footer?": "Kas soovid kuvada hüpikjalust?", "Do you want to display the scale control?": "Kas soovid kuvada mõõtkava?", "Do you want to display the «more» control?": "Kas soovid kuvada nuppu «rohkem»?", "Drop": "Tilk", @@ -36,7 +36,7 @@ var locale = { "Heatmap": "Soojuskaart", "Icon shape": "Ikooni kuju", "Icon symbol": "Ikooni sümbol", - "Inherit": "Inherit", + "Inherit": "Päri", "Label direction": "Sildi suund", "Label key": "Sildi võti", "Labels are clickable": "Silte saab klõpsata", @@ -54,7 +54,7 @@ var locale = { "always": "alati", "clear": "tühjenda", "collapsed": "ahendatud", - "color": "värv", + "color": "Värv", "dash array": "katkendjoon", "define": "määra", "description": "kirjeldus", @@ -69,21 +69,21 @@ var locale = { "never": "mitte kunagi", "new window": "uus aken", "no": "ei", - "on hover": "on hover", + "on hover": "ülelibistamisel", "opacity": "läbipaistvus", - "parent window": "parent window", - "stroke": "stroke", + "parent window": "emaaken", + "stroke": "piirjoon", "weight": "jämedus", "yes": "jah", "{delay} seconds": "{delay} sekundit", - "# one hash for main heading": "# one hash for main heading", - "## two hashes for second heading": "## two hashes for second heading", - "### three hashes for third heading": "### three hashes for third heading", + "# one hash for main heading": "# üks trell põhipealkirja jaoks", + "## two hashes for second heading": "## kaks trelli teise pealkirja jaoks", + "### three hashes for third heading": "### kolm trelli kolmanda pealkirja jaoks", "**double star for bold**": "**kaks tärni paksu kirja jaoks**", "*simple star for italic*": "* üks tärn kaldkirja jaoks*", "--- for an horizontal rule": "--- horisontaaljoone jaoks", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Komaga eraldatud numbriloend, mis määrab katkendjoone mustri, nt \"5, 10, 15\".", - "About": "Projektist", + "About": "Teave", "Action not allowed :(": "Tegevus pole lubatud :(", "Activate slideshow mode": "Aktiveeri slaidiesitluse režiim", "Add a layer": "Lisa kiht", @@ -94,15 +94,15 @@ var locale = { "Advanced properties": "Täiendavad omadused", "Advanced transition": "Advanced transition", "All properties are imported.": "Kõik omadused imporditi.", - "Allow interactions": "Allow interactions", + "Allow interactions": "Luba interaktsioonid", "An error occured": "Ilmnes viga", - "Are you sure you want to cancel your changes?": "Oled sa kindel, et soovid muudatustest loobuda ?", + "Are you sure you want to cancel your changes?": "Oled sa kindel, et soovid muudatustest loobuda?", "Are you sure you want to clone this map and all its datalayers?": "Oled sa kindel, et soovid kopeerida seda kaarti ja kõiki selle andmekihte?", "Are you sure you want to delete the feature?": "Oled sa kindel, et soovid seda elementi kustutada?", "Are you sure you want to delete this layer?": "Oled sa kindel, et soovid seda kihti kustutada?", "Are you sure you want to delete this map?": "Oled sa kindel, et soovid seda kaarti kustutada?", "Are you sure you want to delete this property on all the features?": "Oled sa kindel, et soovid kõigi elementide juurest selle omaduse kustutada?", - "Are you sure you want to restore this version?": "Are you sure you want to restore this version?", + "Are you sure you want to restore this version?": "Oled sa kindel, et soovid taastada selle versiooni?", "Attach the map to my account": "Manusta kaart minu kontole", "Auto": "Auto", "Autostart when map is loaded": "Automaatne käivitus kaardi laadimisel", @@ -112,9 +112,9 @@ var locale = { "Center map on your location": "Sea oma asukoht keskpunktiks", "Change map background": "Vaheta kaardi taust", "Change tilelayers": "Vaheta kaardi taust", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Choose the format of the data to import", - "Choose the layer to import in": "Choose the layer to import in", + "Choose a preset": "Vali algseade", + "Choose the format of the data to import": "Vali importimise andmevorming", + "Choose the layer to import in": "Vali kiht, millesse importida", "Click last point to finish shape": "Klõpsa kujundi lõpetamiseks viimasel punktil", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", @@ -129,16 +129,16 @@ var locale = { "Clustering radius": "Clustering radius", "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", - "Continue line": "Continue line", + "Continue line": "Jätka joont", "Continue line (Ctrl+Click)": "Jätka joont (Ctrl+Klõps)", "Coordinates": "Koordinaadid", - "Credits": "Credits", - "Current view instead of default map view?": "Praegune vaade vaikimis vaate asemel?", + "Credits": "Õigused", + "Current view instead of default map view?": "Praegune vaade vaikimisi vaate asemel?", "Custom background": "Kohandatud taust", "Data is browsable": "Andmed on sirvitavad", "Default interaction options": "Interaktsiooni vaikesuvandid", "Default properties": "Vaikeomadused", - "Default shape properties": "Default shape properties", + "Default shape properties": "Kujundi vaikeomadused", "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", "Delete": "Kustuta", @@ -148,73 +148,73 @@ var locale = { "Delete this property on all the features": "Kustuta see omadus kõigi elementide juures", "Delete this shape": "Kustuta see kujund", "Delete this vertex (Alt+Click)": "Kustuta see tipp (Alt+Klõps)", - "Directions from here": "Directions from here", - "Disable editing": "Keela muutmine", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Directions from here": "Juhised siit", + "Disable editing": "Lõpeta muutmine", + "Display measure": "Kuva suurus", + "Display on load": "Kuva laadimisel", "Download": "Laadi alla", "Download data": "Laadi andmed alla", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Lohista ümberreastamiseks", "Draw a line": "Joonista joon", "Draw a marker": "Lisa marker", "Draw a polygon": "Joonista hulknurk", "Draw a polyline": "Draw a polyline", - "Dynamic": "Dynamic", - "Dynamic properties": "Dynamic properties", + "Dynamic": "Dünaamiline", + "Dynamic properties": "Dünaamilised omadused", "Edit": "Muuda", "Edit feature's layer": "Muuda elemendi kihti", - "Edit map properties": "Edit map properties", + "Edit map properties": "Muuda kaardi omadusi", "Edit map settings": "Muuda kaardi seadeid", - "Edit properties in a table": "Edit properties in a table", + "Edit properties in a table": "Muuda omadusi tabelis", "Edit this feature": "Muuda seda elementi", "Editing": "Muutmisel", - "Embed and share this map": "Embed and share this map", - "Embed the map": "Embed the map", + "Embed and share this map": "Manusta ja jaga seda kaarti", + "Embed the map": "Manusta kaart", "Empty": "Tühjenda", "Enable editing": "Luba muutmine", "Error in the tilelayer URL": "Vigane tausta URL", "Error while fetching {url}": "Error while fetching {url}", "Exit Fullscreen": "Välju täisekraanist", - "Extract shape to separate feature": "Extract shape to separate feature", + "Extract shape to separate feature": "Ekstrakti kujund eraldi elemendiks", "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", - "Filter…": "Filter…", - "Format": "Format", - "From zoom": "From zoom", - "Full map data": "Full map data", + "Filter keys": "Filtri võtmed", + "Filter…": "Filtreeri...", + "Format": "Vorming", + "From zoom": "Suurendusastmest", + "Full map data": "Kõik kaardi andmed", "Go to «{feature}»": "Mine «{feature}» juurde", "Heatmap intensity property": "Heatmap intensity property", - "Heatmap radius": "Heatmap radius", + "Heatmap radius": "Soojuskaardi raadius", "Help": "Abi", "Hide controls": "Peida juhtnupud", - "Home": "Home", + "Home": "Avaleht", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", "Iframe export options": "Iframe'i eksportimise suvandid", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe kohandatud kõrgusega (pikslites): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe kohandatud kõrguse ja laiusega (pikslites): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", "Image with custom width (in px): {{http://image.url.com|width}}": "Pilt kohandatud laiusega (pikslites): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", + "Image: {{http://image.url.com}}": "Pilt: {{http://image.url.com}}", "Import": "Import", "Import data": "Impordi andmed", "Import in a new layer": "Impordi uuele kihile", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", + "Imports all umap data, including layers and settings.": "Impordib kõik uMapi andmed, k.a kihid ja seaded.", + "Include full screen link?": "Lisa täisekraani link?", "Interaction options": "Interaktsiooni suvandid", "Invalid umap data": "Vigased uMapi andmed", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalid umap data in {filename}": "Vigased uMapi andmed failis {filename}", "Keep current visible layers": "Keep current visible layers", "Latitude": "Laius", "Layer": "Kiht", - "Layer properties": "Layer properties", + "Layer properties": "Kihi omadused", "Licence": "Litsents", - "Limit bounds": "Limit bounds", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Link tekstiga: [[http://example.com|lingi text]]", + "Limit bounds": "Määra piirid", + "Link to…": "Lingi…", + "Link with text: [[http://example.com|text of the link]]": "Link tekstiga: [[http://example.com|lingi tekst]]", "Long credits": "Long credits", "Longitude": "Pikkus", - "Make main shape": "Make main shape", + "Make main shape": "Muuda peamiseks kujundiks", "Manage layers": "Halda kihte", "Map background credits": "Kaardi tausta õigused", "Map has been attached to your account": "Kaart on lisatud kontole", @@ -222,11 +222,11 @@ var locale = { "Map user content has been published under licence": "Map user content has been published under licence", "Map's editors": "Kaardi toimetajad", "Map's owner": "Kaardi omanik", - "Merge lines": "Merge lines", + "Merge lines": "Ühenda jooned", "More controls": "Rohkem juhtnuppe", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Peab olema kehtiv CSS väärtus (nt DarkBlue või #123456)", "No licence has been set": "Litsentsi pole määratud", - "No results": "Tulemusteta", + "No results": "Tulemused puuduvad", "Only visible features will be downloaded.": "Alla laaditakse ainult nähtavad elemendid", "Open download panel": "Ava allalaadimise aken", "Open link in…": "Ava link...", @@ -236,63 +236,63 @@ var locale = { "Override clustering radius (default 80)": "Override clustering radius (default 80)", "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", - "Please choose a format": "Please choose a format", + "Please choose a format": "Vali palun vorming", "Please enter the name of the property": "Sisesta palun omaduse nimi", "Please enter the new name of this property": "Sisesta palun selle omaduse uus nimi", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", "Problem in the response": "Problem in the response", "Problem in the response format": "Problem in the response format", "Properties imported:": "Imporditud omadused:", - "Property to use for sorting features": "Property to use for sorting features", - "Provide an URL here": "Provide an URL here", + "Property to use for sorting features": "Omadus elementide sortimiseks", + "Provide an URL here": "Lisage siia URL", "Proxy request": "Proxy request", - "Remote data": "Remote data", + "Remote data": "Kaugandmed", "Remove shape from the multi": "Remove shape from the multi", "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", + "Replace layer content": "Asenda kihi sisu", + "Restore this version": "Taasta see versioon", "Save": "Salvesta", - "Save anyway": "Save anyway", + "Save anyway": "Salvesta sellegipoolest", "Save current edits": "Salvesta praegused muudatused", "Save this center and zoom": "Salvesta see keskpunkt ja suurendus", - "Save this location as new feature": "Save this location as new feature", - "Search a place name": "Search a place name", - "Search location": "Search location", - "Secret edit link is:
{link}": "Secret edit link is:
{link}", + "Save this location as new feature": "Salvesta see asukoht uue elemendina", + "Search a place name": "Kohanime otsing", + "Search location": "Asukoha otsing", + "Secret edit link is:
{link}": "Salajane muutmise link on:
{link}", "See all": "Näita kõiki", "See data layers": "Näita andmekihte", "See full screen": "Täisekraanvaade", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", "Shape properties": "Kujundi omadused", - "Short URL": "Short URL", + "Short URL": "Lühilink", "Short credits": "Short credits", - "Show/hide layer": "Show/hide layer", - "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", - "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", + "Show/hide layer": "Näita/peida kiht", + "Simple link: [[http://example.com]]": "Link: [[http://example.com]]", + "Slideshow": "Slaidiprogramm", + "Smart transitions": "Nutikad üleminekud", + "Sort key": "Sorteerimise võti", "Split line": "Split line", "Start a hole here": "Start a hole here", "Start editing": "Alusta muutmist", - "Start slideshow": "Start slideshow", + "Start slideshow": "Alusta slaidiprogrammi", "Stop editing": "Lõpeta muutmine", - "Stop slideshow": "Stop slideshow", + "Stop slideshow": "Lõpeta slaidiprogramm", "Supported scheme": "Supported scheme", "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.", - "TMS format": "TMS format", + "TMS format": "TMS vorming", "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", + "Text formatting": "Tekstivorming", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", "The zoom and center have been setted.": "Suurendus ja keskpunkt salvestati", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", - "To zoom": "To zoom", + "To zoom": "Suurendusastmeni", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", "Transfer shape to edited feature": "Transfer shape to edited feature", "Transform to lines": "Muuda joonteks", - "Transform to polygon": "Transform to polygon", + "Transform to polygon": "Muuda hulknurgaks", "Type of layer": "Kihitüüp", - "Unable to detect format of file {filename}": " {filename} failivormingu tuvastamine ebaõnnestus", + "Unable to detect format of file {filename}": "{filename} failivormingu tuvastamine ebaõnnestus", "Untitled layer": "Nimeta kiht", "Untitled map": "Nimeta kaart", "Update permissions": "Update permissions", @@ -300,29 +300,29 @@ var locale = { "Url": "URL", "Use current bounds": "Kasuta praegust vaadet", "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", - "User content credits": "User content credits", + "User content credits": "Kasutaja sisu õigused", "User interface options": "Kasutajaliidese suvandid", "Versions": "Versioonid", - "View Fullscreen": "Vaata täisekraanil", + "View Fullscreen": "Täisekraanivaade", "Where do we go from here?": "Kuhu läheb siit edasi?", "Whether to display or not polygons paths.": "Hulknurga piirjoonte näitamine.", "Whether to fill polygons with color.": "Hulknurkade täitmine värviga.", - "Who can edit": "Kes võivad muuta", - "Who can view": "Kes saavad vaadata", + "Who can edit": "Muutmisõigus", + "Who can view": "Vaatamisõigus", "Will be displayed in the bottom right corner of the map": "Kuvatakse kaardi alumises paremas nurgas", "Will be visible in the caption of the map": "Nähtav kaardi legendil", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", - "Zoom in": "Zoom in", - "Zoom level for automatic zooms": "Zoom level for automatic zooms", - "Zoom out": "Zoom out", - "Zoom to layer extent": "Zoom to layer extent", + "You have unsaved changes.": "Sinu tehtud muudatused on salvestamata.", + "Zoom in": "Suurenda", + "Zoom level for automatic zooms": "Suurendusaste automaatse suurenduse korral", + "Zoom out": "Vähenda", + "Zoom to layer extent": "Suurenda kihi ulatuseni", "Zoom to the next": "Järgmine", "Zoom to the previous": "Eelmine", "Zoom to this feature": "Zoom to this feature", - "Zoom to this place": "Zoom to this place", + "Zoom to this place": "Suurenda selle kohani", "attribution": "attribution", - "by": "by", + "by": "autorilt", "display name": "display name", "height": "kõrgus", "licence": "litsents", @@ -330,8 +330,8 @@ var locale = { "max North": "max North", "max South": "max South", "max West": "max West", - "max zoom": "max zoom", - "min zoom": "min zoom", + "max zoom": "suurim suurendusaste", + "min zoom": "vähim suurendusaste", "next": "edasi", "previous": "tagasi", "width": "laius", @@ -351,7 +351,7 @@ var locale = { "{distance} NM": "{distance} NM", "{distance} km": "{distance} km", "{distance} m": "{distance} m", - "{distance} miles": "{distance} miles", + "{distance} miles": "{distance} miili", "{distance} yd": "{distance} yd", "1 day": "1 päev", "1 hour": "1 tund", @@ -360,16 +360,16 @@ var locale = { "No cache": "No cache", "Popup": "Hüpik", "Popup (large)": "Hüpik (suur)", - "Popup content style": "Popup content style", + "Popup content style": "Hüpiku sisu stiil", "Popup shape": "Hüpiku kuju", "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Optional.": "Valikuline.", - "Paste your data here": "Paste your data here", - "Please save the map first": "Please save the map first", - "Unable to locate you.": "Unable to locate you.", + "Paste your data here": "Kleebi oma andmed siia", + "Please save the map first": "Salvesta palun enne kaart", + "Unable to locate you.": "Sinu asukohta ei suudetud määrata.", "Feature identifier key": "Feature identifier key", "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", + "Permalink": "Püsilink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." }; L.registerLocale("et", locale); diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 0b316b7a..42b8dfbd 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -6,16 +6,16 @@ "Cancel": "Loobu", "Caption": "Legend", "Change symbol": "Vaheta sümbol", - "Choose the data format": "Vali kuupäeva vorming", + "Choose the data format": "Vali andmevorming", "Choose the layer of the feature": "Vali elemendi kiht", "Circle": "Ring", - "Clustered": "Clustered", + "Clustered": "Klasterdatud", "Data browser": "Andmete sirvimine", "Default": "Vaikesäte", "Default zoom level": "Vaikimisi suurendusaste", "Default: name": "Vaikimisi: name", "Display label": "Kuva silt", - "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", + "Display the control to open OpenStreetMap editor": "Kuva OpenStreetMap'i redaktori avamise nupp", "Display the data layers control": "Kuva andmekihtide nupp", "Display the embed control": "Kuva jagamise nupp", "Display the fullscreen control": "Kuva täisekraani nupp", @@ -27,7 +27,7 @@ "Do you want to display a caption bar?": "Kas soovid kuvada tiitelriba?", "Do you want to display a minimap?": "Kas soovid kuvada minikaarti?", "Do you want to display a panel on load?": "Kas soovid kuvada külgpaneeli laadimisel?", - "Do you want to display popup footer?": "Do you want to display popup footer?", + "Do you want to display popup footer?": "Kas soovid kuvada hüpikjalust?", "Do you want to display the scale control?": "Kas soovid kuvada mõõtkava?", "Do you want to display the «more» control?": "Kas soovid kuvada nuppu «rohkem»?", "Drop": "Tilk", @@ -36,7 +36,7 @@ "Heatmap": "Soojuskaart", "Icon shape": "Ikooni kuju", "Icon symbol": "Ikooni sümbol", - "Inherit": "Inherit", + "Inherit": "Päri", "Label direction": "Sildi suund", "Label key": "Sildi võti", "Labels are clickable": "Silte saab klõpsata", @@ -54,7 +54,7 @@ "always": "alati", "clear": "tühjenda", "collapsed": "ahendatud", - "color": "värv", + "color": "Värv", "dash array": "katkendjoon", "define": "määra", "description": "kirjeldus", @@ -69,21 +69,21 @@ "never": "mitte kunagi", "new window": "uus aken", "no": "ei", - "on hover": "on hover", + "on hover": "ülelibistamisel", "opacity": "läbipaistvus", - "parent window": "parent window", - "stroke": "stroke", + "parent window": "emaaken", + "stroke": "piirjoon", "weight": "jämedus", "yes": "jah", "{delay} seconds": "{delay} sekundit", - "# one hash for main heading": "# one hash for main heading", - "## two hashes for second heading": "## two hashes for second heading", - "### three hashes for third heading": "### three hashes for third heading", + "# one hash for main heading": "# üks trell põhipealkirja jaoks", + "## two hashes for second heading": "## kaks trelli teise pealkirja jaoks", + "### three hashes for third heading": "### kolm trelli kolmanda pealkirja jaoks", "**double star for bold**": "**kaks tärni paksu kirja jaoks**", "*simple star for italic*": "* üks tärn kaldkirja jaoks*", "--- for an horizontal rule": "--- horisontaaljoone jaoks", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Komaga eraldatud numbriloend, mis määrab katkendjoone mustri, nt \"5, 10, 15\".", - "About": "Projektist", + "About": "Teave", "Action not allowed :(": "Tegevus pole lubatud :(", "Activate slideshow mode": "Aktiveeri slaidiesitluse režiim", "Add a layer": "Lisa kiht", @@ -94,15 +94,15 @@ "Advanced properties": "Täiendavad omadused", "Advanced transition": "Advanced transition", "All properties are imported.": "Kõik omadused imporditi.", - "Allow interactions": "Allow interactions", + "Allow interactions": "Luba interaktsioonid", "An error occured": "Ilmnes viga", - "Are you sure you want to cancel your changes?": "Oled sa kindel, et soovid muudatustest loobuda ?", + "Are you sure you want to cancel your changes?": "Oled sa kindel, et soovid muudatustest loobuda?", "Are you sure you want to clone this map and all its datalayers?": "Oled sa kindel, et soovid kopeerida seda kaarti ja kõiki selle andmekihte?", "Are you sure you want to delete the feature?": "Oled sa kindel, et soovid seda elementi kustutada?", "Are you sure you want to delete this layer?": "Oled sa kindel, et soovid seda kihti kustutada?", "Are you sure you want to delete this map?": "Oled sa kindel, et soovid seda kaarti kustutada?", "Are you sure you want to delete this property on all the features?": "Oled sa kindel, et soovid kõigi elementide juurest selle omaduse kustutada?", - "Are you sure you want to restore this version?": "Are you sure you want to restore this version?", + "Are you sure you want to restore this version?": "Oled sa kindel, et soovid taastada selle versiooni?", "Attach the map to my account": "Manusta kaart minu kontole", "Auto": "Auto", "Autostart when map is loaded": "Automaatne käivitus kaardi laadimisel", @@ -112,9 +112,9 @@ "Center map on your location": "Sea oma asukoht keskpunktiks", "Change map background": "Vaheta kaardi taust", "Change tilelayers": "Vaheta kaardi taust", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Choose the format of the data to import", - "Choose the layer to import in": "Choose the layer to import in", + "Choose a preset": "Vali algseade", + "Choose the format of the data to import": "Vali importimise andmevorming", + "Choose the layer to import in": "Vali kiht, millesse importida", "Click last point to finish shape": "Klõpsa kujundi lõpetamiseks viimasel punktil", "Click to add a marker": "Klõpsa markeri lisamiseks", "Click to continue drawing": "Klõpsa joonistamise jätkamiseks", @@ -129,16 +129,16 @@ "Clustering radius": "Clustering radius", "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", - "Continue line": "Continue line", + "Continue line": "Jätka joont", "Continue line (Ctrl+Click)": "Jätka joont (Ctrl+Klõps)", "Coordinates": "Koordinaadid", - "Credits": "Credits", - "Current view instead of default map view?": "Praegune vaade vaikimis vaate asemel?", + "Credits": "Õigused", + "Current view instead of default map view?": "Praegune vaade vaikimisi vaate asemel?", "Custom background": "Kohandatud taust", "Data is browsable": "Andmed on sirvitavad", "Default interaction options": "Interaktsiooni vaikesuvandid", "Default properties": "Vaikeomadused", - "Default shape properties": "Default shape properties", + "Default shape properties": "Kujundi vaikeomadused", "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", "Delete": "Kustuta", @@ -148,73 +148,73 @@ "Delete this property on all the features": "Kustuta see omadus kõigi elementide juures", "Delete this shape": "Kustuta see kujund", "Delete this vertex (Alt+Click)": "Kustuta see tipp (Alt+Klõps)", - "Directions from here": "Directions from here", - "Disable editing": "Keela muutmine", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Directions from here": "Juhised siit", + "Disable editing": "Lõpeta muutmine", + "Display measure": "Kuva suurus", + "Display on load": "Kuva laadimisel", "Download": "Laadi alla", "Download data": "Laadi andmed alla", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Lohista ümberreastamiseks", "Draw a line": "Joonista joon", "Draw a marker": "Lisa marker", "Draw a polygon": "Joonista hulknurk", "Draw a polyline": "Draw a polyline", - "Dynamic": "Dynamic", - "Dynamic properties": "Dynamic properties", + "Dynamic": "Dünaamiline", + "Dynamic properties": "Dünaamilised omadused", "Edit": "Muuda", "Edit feature's layer": "Muuda elemendi kihti", - "Edit map properties": "Edit map properties", + "Edit map properties": "Muuda kaardi omadusi", "Edit map settings": "Muuda kaardi seadeid", - "Edit properties in a table": "Edit properties in a table", + "Edit properties in a table": "Muuda omadusi tabelis", "Edit this feature": "Muuda seda elementi", "Editing": "Muutmisel", - "Embed and share this map": "Embed and share this map", - "Embed the map": "Embed the map", + "Embed and share this map": "Manusta ja jaga seda kaarti", + "Embed the map": "Manusta kaart", "Empty": "Tühjenda", "Enable editing": "Luba muutmine", "Error in the tilelayer URL": "Vigane tausta URL", "Error while fetching {url}": "Error while fetching {url}", "Exit Fullscreen": "Välju täisekraanist", - "Extract shape to separate feature": "Extract shape to separate feature", + "Extract shape to separate feature": "Ekstrakti kujund eraldi elemendiks", "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", - "Filter…": "Filter…", - "Format": "Format", - "From zoom": "From zoom", - "Full map data": "Full map data", + "Filter keys": "Filtri võtmed", + "Filter…": "Filtreeri...", + "Format": "Vorming", + "From zoom": "Suurendusastmest", + "Full map data": "Kõik kaardi andmed", "Go to «{feature}»": "Mine «{feature}» juurde", "Heatmap intensity property": "Heatmap intensity property", - "Heatmap radius": "Heatmap radius", + "Heatmap radius": "Soojuskaardi raadius", "Help": "Abi", "Hide controls": "Peida juhtnupud", - "Home": "Home", + "Home": "Avaleht", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", "Iframe export options": "Iframe'i eksportimise suvandid", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe kohandatud kõrgusega (pikslites): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe kohandatud kõrguse ja laiusega (pikslites): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", "Image with custom width (in px): {{http://image.url.com|width}}": "Pilt kohandatud laiusega (pikslites): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", + "Image: {{http://image.url.com}}": "Pilt: {{http://image.url.com}}", "Import": "Import", "Import data": "Impordi andmed", "Import in a new layer": "Impordi uuele kihile", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", + "Imports all umap data, including layers and settings.": "Impordib kõik uMapi andmed, k.a kihid ja seaded.", + "Include full screen link?": "Lisa täisekraani link?", "Interaction options": "Interaktsiooni suvandid", "Invalid umap data": "Vigased uMapi andmed", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", + "Invalid umap data in {filename}": "Vigased uMapi andmed failis {filename}", "Keep current visible layers": "Keep current visible layers", "Latitude": "Laius", "Layer": "Kiht", - "Layer properties": "Layer properties", + "Layer properties": "Kihi omadused", "Licence": "Litsents", - "Limit bounds": "Limit bounds", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Link tekstiga: [[http://example.com|lingi text]]", + "Limit bounds": "Määra piirid", + "Link to…": "Lingi…", + "Link with text: [[http://example.com|text of the link]]": "Link tekstiga: [[http://example.com|lingi tekst]]", "Long credits": "Long credits", "Longitude": "Pikkus", - "Make main shape": "Make main shape", + "Make main shape": "Muuda peamiseks kujundiks", "Manage layers": "Halda kihte", "Map background credits": "Kaardi tausta õigused", "Map has been attached to your account": "Kaart on lisatud kontole", @@ -222,11 +222,11 @@ "Map user content has been published under licence": "Map user content has been published under licence", "Map's editors": "Kaardi toimetajad", "Map's owner": "Kaardi omanik", - "Merge lines": "Merge lines", + "Merge lines": "Ühenda jooned", "More controls": "Rohkem juhtnuppe", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Peab olema kehtiv CSS väärtus (nt DarkBlue või #123456)", "No licence has been set": "Litsentsi pole määratud", - "No results": "Tulemusteta", + "No results": "Tulemused puuduvad", "Only visible features will be downloaded.": "Alla laaditakse ainult nähtavad elemendid", "Open download panel": "Ava allalaadimise aken", "Open link in…": "Ava link...", @@ -236,63 +236,63 @@ "Override clustering radius (default 80)": "Override clustering radius (default 80)", "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", - "Please choose a format": "Please choose a format", + "Please choose a format": "Vali palun vorming", "Please enter the name of the property": "Sisesta palun omaduse nimi", "Please enter the new name of this property": "Sisesta palun selle omaduse uus nimi", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", "Problem in the response": "Problem in the response", "Problem in the response format": "Problem in the response format", "Properties imported:": "Imporditud omadused:", - "Property to use for sorting features": "Property to use for sorting features", - "Provide an URL here": "Provide an URL here", + "Property to use for sorting features": "Omadus elementide sortimiseks", + "Provide an URL here": "Lisage siia URL", "Proxy request": "Proxy request", - "Remote data": "Remote data", + "Remote data": "Kaugandmed", "Remove shape from the multi": "Remove shape from the multi", "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", + "Replace layer content": "Asenda kihi sisu", + "Restore this version": "Taasta see versioon", "Save": "Salvesta", - "Save anyway": "Save anyway", + "Save anyway": "Salvesta sellegipoolest", "Save current edits": "Salvesta praegused muudatused", "Save this center and zoom": "Salvesta see keskpunkt ja suurendus", - "Save this location as new feature": "Save this location as new feature", - "Search a place name": "Search a place name", - "Search location": "Search location", - "Secret edit link is:
{link}": "Secret edit link is:
{link}", + "Save this location as new feature": "Salvesta see asukoht uue elemendina", + "Search a place name": "Kohanime otsing", + "Search location": "Asukoha otsing", + "Secret edit link is:
{link}": "Salajane muutmise link on:
{link}", "See all": "Näita kõiki", "See data layers": "Näita andmekihte", "See full screen": "Täisekraanvaade", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", "Shape properties": "Kujundi omadused", - "Short URL": "Short URL", + "Short URL": "Lühilink", "Short credits": "Short credits", - "Show/hide layer": "Show/hide layer", - "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", - "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", + "Show/hide layer": "Näita/peida kiht", + "Simple link: [[http://example.com]]": "Link: [[http://example.com]]", + "Slideshow": "Slaidiprogramm", + "Smart transitions": "Nutikad üleminekud", + "Sort key": "Sorteerimise võti", "Split line": "Split line", "Start a hole here": "Start a hole here", "Start editing": "Alusta muutmist", - "Start slideshow": "Start slideshow", + "Start slideshow": "Alusta slaidiprogrammi", "Stop editing": "Lõpeta muutmine", - "Stop slideshow": "Stop slideshow", + "Stop slideshow": "Lõpeta slaidiprogramm", "Supported scheme": "Supported scheme", "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.", - "TMS format": "TMS format", + "TMS format": "TMS vorming", "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", + "Text formatting": "Tekstivorming", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", "The zoom and center have been setted.": "Suurendus ja keskpunkt salvestati", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", - "To zoom": "To zoom", + "To zoom": "Suurendusastmeni", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", "Transfer shape to edited feature": "Transfer shape to edited feature", "Transform to lines": "Muuda joonteks", - "Transform to polygon": "Transform to polygon", + "Transform to polygon": "Muuda hulknurgaks", "Type of layer": "Kihitüüp", - "Unable to detect format of file {filename}": " {filename} failivormingu tuvastamine ebaõnnestus", + "Unable to detect format of file {filename}": "{filename} failivormingu tuvastamine ebaõnnestus", "Untitled layer": "Nimeta kiht", "Untitled map": "Nimeta kaart", "Update permissions": "Update permissions", @@ -300,29 +300,29 @@ "Url": "URL", "Use current bounds": "Kasuta praegust vaadet", "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", - "User content credits": "User content credits", + "User content credits": "Kasutaja sisu õigused", "User interface options": "Kasutajaliidese suvandid", "Versions": "Versioonid", - "View Fullscreen": "Vaata täisekraanil", + "View Fullscreen": "Täisekraanivaade", "Where do we go from here?": "Kuhu läheb siit edasi?", "Whether to display or not polygons paths.": "Hulknurga piirjoonte näitamine.", "Whether to fill polygons with color.": "Hulknurkade täitmine värviga.", - "Who can edit": "Kes võivad muuta", - "Who can view": "Kes saavad vaadata", + "Who can edit": "Muutmisõigus", + "Who can view": "Vaatamisõigus", "Will be displayed in the bottom right corner of the map": "Kuvatakse kaardi alumises paremas nurgas", "Will be visible in the caption of the map": "Nähtav kaardi legendil", "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", - "Zoom in": "Zoom in", - "Zoom level for automatic zooms": "Zoom level for automatic zooms", - "Zoom out": "Zoom out", - "Zoom to layer extent": "Zoom to layer extent", + "You have unsaved changes.": "Sinu tehtud muudatused on salvestamata.", + "Zoom in": "Suurenda", + "Zoom level for automatic zooms": "Suurendusaste automaatse suurenduse korral", + "Zoom out": "Vähenda", + "Zoom to layer extent": "Suurenda kihi ulatuseni", "Zoom to the next": "Järgmine", "Zoom to the previous": "Eelmine", "Zoom to this feature": "Zoom to this feature", - "Zoom to this place": "Zoom to this place", + "Zoom to this place": "Suurenda selle kohani", "attribution": "attribution", - "by": "by", + "by": "autorilt", "display name": "display name", "height": "kõrgus", "licence": "litsents", @@ -330,8 +330,8 @@ "max North": "max North", "max South": "max South", "max West": "max West", - "max zoom": "max zoom", - "min zoom": "min zoom", + "max zoom": "suurim suurendusaste", + "min zoom": "vähim suurendusaste", "next": "edasi", "previous": "tagasi", "width": "laius", @@ -351,7 +351,7 @@ "{distance} NM": "{distance} NM", "{distance} km": "{distance} km", "{distance} m": "{distance} m", - "{distance} miles": "{distance} miles", + "{distance} miles": "{distance} miili", "{distance} yd": "{distance} yd", "1 day": "1 päev", "1 hour": "1 tund", @@ -360,15 +360,15 @@ "No cache": "No cache", "Popup": "Hüpik", "Popup (large)": "Hüpik (suur)", - "Popup content style": "Popup content style", + "Popup content style": "Hüpiku sisu stiil", "Popup shape": "Hüpiku kuju", "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", "Optional.": "Valikuline.", - "Paste your data here": "Paste your data here", - "Please save the map first": "Please save the map first", - "Unable to locate you.": "Unable to locate you.", + "Paste your data here": "Kleebi oma andmed siia", + "Please save the map first": "Salvesta palun enne kaart", + "Unable to locate you.": "Sinu asukohta ei suudetud määrata.", "Feature identifier key": "Feature identifier key", "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", + "Permalink": "Püsilink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} +} \ No newline at end of file diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index 5837eb78..b3faa891 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -1,9 +1,9 @@ { "Add symbol": "Add symbol", "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", - "Automatic": "Automatic", - "Ball": "Ball", - "Cancel": "Cancel", + "Automatic": "خودکار", + "Ball": "توپ", + "Cancel": "انصراف", "Caption": "Caption", "Change symbol": "Change symbol", "Choose the data format": "Choose the data format", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index 49ce69f4..af432c44 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Ouvrir l'élément courant au chargement", "Permalink": "Permalien", "The name of the property to use as feature unique identifier.": "Nom de la propriété utilisée pour identifier un élément de façon unique" -}; +} +; L.registerLocale("fr", locale); L.setLocale("fr"); \ No newline at end of file diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index 294afec5..139be07c 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("gl", locale); L.setLocale("gl"); \ No newline at end of file diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index b5917aef..6e346ae6 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("hu", locale); L.setLocale("hu"); \ No newline at end of file diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index 8535f0d9..d24dba33 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("is", locale); L.setLocale("is"); \ No newline at end of file diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index ea6e7453..516e837a 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("ja", locale); L.setLocale("ja"); \ No newline at end of file diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index 1a10b7e2..d724b60d 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("lt", locale); L.setLocale("lt"); \ No newline at end of file diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 3b6b41a5..587e9eb8 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -12,47 +12,47 @@ var locale = { "Clustered": "Bij elkaar gevoegd", "Data browser": "Data browser", "Default": "Standaard", - "Default zoom level": "Default zoom level", - "Default: name": "Default: name", - "Display label": "Display label", - "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", - "Display the data layers control": "Display the data layers control", - "Display the embed control": "Display the embed control", - "Display the fullscreen control": "Display the fullscreen control", - "Display the locate control": "Display the locate control", - "Display the measure control": "Display the measure control", - "Display the search control": "Display the search control", - "Display the tile layers control": "Display the tile layers control", - "Display the zoom control": "Display the zoom control", + "Default zoom level": "Standaard schaalniveau", + "Default: name": "Standaard: naam", + "Display label": "Toon het label", + "Display the control to open OpenStreetMap editor": "Toon OpenStreetMap editor knop", + "Display the data layers control": "Toon data lagen knop", + "Display the embed control": "Toon inbedden knop", + "Display the fullscreen control": "Toon volledig scherm knop", + "Display the locate control": "Toon lokaliseer mij knop", + "Display the measure control": "Toon meetinstrument knop", + "Display the search control": "Toon zoeken knop", + "Display the tile layers control": "Toon achtergrondlagen knop", + "Display the zoom control": "Toon zoom knop", "Do you want to display a caption bar?": "Wil je een hoofding tonen?", "Do you want to display a minimap?": "Wil je een minikaartje tonen?", - "Do you want to display a panel on load?": "Do you want to display a panel on load?", + "Do you want to display a panel on load?": "Wil je een zijpaneel tonen als de kaart geladen wordt?", "Do you want to display popup footer?": "Wil je een popup-footer tonen?", "Do you want to display the scale control?": "Wil je het schaal-besturingselement tonen?", - "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Drop", + "Do you want to display the «more» control?": "Wil je de knop «meer» laten zien?", + "Drop": "Druppel", "GeoRSS (only link)": "GeoRSS (enkel link)", "GeoRSS (title + image)": "GeoRSS (titel + afbeelding)", - "Heatmap": "Heatmap", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", + "Heatmap": "Hittekaart", + "Icon shape": "Vorm van het icoon", + "Icon symbol": "Symbool voor het icoon", "Inherit": "Overerving", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "None", - "On the bottom": "On the bottom", - "On the left": "On the left", - "On the right": "On the right", - "On the top": "On the top", - "Popup content template": "Popup content template", + "Label direction": "Richting van het label", + "Label key": "Attribuut als label", + "Labels are clickable": "Labels kunnen aangeklikt worden", + "None": "Geen", + "On the bottom": "Aan de onderkant", + "On the left": "Aan de linkerkant", + "On the right": "Aan de rechterkant", + "On the top": "Aan de bovenkant", + "Popup content template": "Template voor de popup", "Set symbol": "Bepaal symbool", - "Side panel": "Side panel", - "Simplify": "Simplify", + "Side panel": "Zijpaneel", + "Simplify": "Vereenvoudig", "Symbol or url": "Symbool of URL", - "Table": "Table", + "Table": "Tabel", "always": "altijd", - "clear": "clear", + "clear": "wis", "collapsed": "dichtgeklapt", "color": "kleur", "dash array": "soort stippellijn", @@ -62,50 +62,50 @@ var locale = { "fill": "opvullen", "fill color": "opvulkleur", "fill opacity": "(on)doorzichtigheid van inkleuring", - "hidden": "hidden", + "hidden": "verborgen", "iframe": "iframe", "inherit": "overerven", "name": "naam", "never": "nooit", - "new window": "new window", + "new window": "nieuw venster", "no": "neen", - "on hover": "on hover", + "on hover": "als de muis erover gaat", "opacity": "ondoorzichtigheid", - "parent window": "parent window", - "stroke": "lijndikte", - "weight": "weight", + "parent window": "bovenliggend venster", + "stroke": "omlijnde vlakken", + "weight": "lijndikte", "yes": "ja", "{delay} seconds": "{delay} seconden", - "# one hash for main heading": "# een hekje voor hoofding 1", - "## two hashes for second heading": "## twee hekjes voor hoofding 2", - "### three hashes for third heading": "### twee hekjes voor hoofding 3", - "**double star for bold**": "**Twee sterretjes voor vet**", - "*simple star for italic*": "*Enkel sterretje voor cursief*", + "# one hash for main heading": "# een hekje voor koptekst 1", + "## two hashes for second heading": "## twee hekjes voor koptekst 2", + "### three hashes for third heading": "### drie hekjes voor koptekst 3", + "**double star for bold**": "** Twee sterretjes voor vet **", + "*simple star for italic*": "* Enkel sterretje voor cursief *", "--- for an horizontal rule": "--- voor een horizontale scheidingslijn", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Een lijst getallen, gescheiden door komma's, die het streepjespatroon definiëren. Vb: \"5, 10, 15\".", "About": "Over", "Action not allowed :(": "Handeling niet toegestaan :(", - "Activate slideshow mode": "Activate slideshow mode", + "Activate slideshow mode": "Activeer slidshow modus", "Add a layer": "Laag toevoegen", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Add a new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", + "Add a line to the current multi": "Voeg een lijn to aan de huidige multilijn", + "Add a new property": "Voeg een nieuwe eigenschap toe", + "Add a polygon to the current multi": "Voeg een nieuwe polygoon toe aan de huidige multipolygoon", "Advanced actions": "Geavanceerde acties", "Advanced properties": "Geavanceerde eigenschappen", - "Advanced transition": "Advanced transition", + "Advanced transition": "Geavanceerde overgang", "All properties are imported.": "Alle eigenschappen zijn geïmporteerd", - "Allow interactions": "Allow interactions", + "Allow interactions": "Sta interactie toe", "An error occured": "Er is een fout opgetreden", - "Are you sure you want to cancel your changes?": "Ben je zeker dat je je wijzigingen wil annuleren?", - "Are you sure you want to clone this map and all its datalayers?": "Ben je zeker dat je deze kaart en alle gegevenslagen wil klonen?", - "Are you sure you want to delete the feature?": "Ben je zeker dat je het object wil verwijderen?", - "Are you sure you want to delete this layer?": "Are you sure you want to delete this layer?", - "Are you sure you want to delete this map?": "Ben je zeker dat je deze kaart wil verwijderen?", + "Are you sure you want to cancel your changes?": "Weet je zeker dat je je wijzigingen wil annuleren?", + "Are you sure you want to clone this map and all its datalayers?": "Weet je zeker dat je deze kaart en alle gegevenslagen wil klonen?", + "Are you sure you want to delete the feature?": "Weet je zeker dat je het object wil verwijderen?", + "Are you sure you want to delete this layer?": "Weet je zeker dat je deze laag wil verwijderen?", + "Are you sure you want to delete this map?": "Weet je zeker dat je deze kaart wilt verwijderen?", "Are you sure you want to delete this property on all the features?": "Are you sure you want to delete this property on all the features?", - "Are you sure you want to restore this version?": "Are you sure you want to restore this version?", + "Are you sure you want to restore this version?": "Weet je zeker dat je deze versie wilt terugzetten?", "Attach the map to my account": "Voeg de kaart toe aan mijn account", "Auto": "Auto", - "Autostart when map is loaded": "Autostart when map is loaded", + "Autostart when map is loaded": "Autostart als kaart wordt geladen", "Bring feature to center": "Object in het midden zetten", "Browse data": "Gegevens doorbladeren", "Cancel edits": "Bewerkingen annuleren", @@ -115,52 +115,52 @@ var locale = { "Choose a preset": "Kies een voorkeuzeinstelling", "Choose the format of the data to import": "Kies het formaat van de te importeren gegevens", "Choose the layer to import in": "Kies de laag om in te importeren", - "Click last point to finish shape": "Click last point to finish shape", - "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", - "Click to edit": "Click to edit", - "Click to start drawing a line": "Click to start drawing a line", - "Click to start drawing a polygon": "Click to start drawing a polygon", - "Clone": "Clone", - "Clone of {name}": "Clone of {name}", - "Clone this feature": "Clone this feature", + "Click last point to finish shape": "Klik op het laatste punt om de vorm af te maken", + "Click to add a marker": "Klik om een punt toe te voegen", + "Click to continue drawing": "Klik om te blijven tekenen", + "Click to edit": "Klik om te bewerken", + "Click to start drawing a line": "Klik om een lijn te beginnen tekenen", + "Click to start drawing a polygon": "Klik om een polygoon te beginnen tekenen", + "Clone": "Klonen", + "Clone of {name}": "Kloon van {name}", + "Clone this feature": "Kloon dit object", "Clone this map": "Deze kaart klonen", - "Close": "Close", - "Clustering radius": "Clustering radius", - "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Komma-, tabulator- of puntkomma-gescheiden waardes, SRS WGS84 wordt verondersteld. Enkel puntgeometrieën wordne geímporteerd. Bij het importeren wordt gekeken naar kolomkoppen die met «lat» of «lon» beginnen. Alle andere kolommen worden als eigenschappen geïmporteerd", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordinates", + "Close": "Sluit", + "Clustering radius": "Doorsnede voor clusteren", + "Comma separated list of properties to use when filtering features": "Komma-gescheiden lijst van eigenschappen die gebruikt worden om te filteren", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Komma-, tabulator- of puntkomma-gescheiden waardes, SRS WGS84 wordt verondersteld. Enkel puntgeometrieën worden geïmporteerd. Bij het importeren wordt gekeken naar kolomkoppen die met «lat» of «lon» beginnen. Alle andere kolommen worden als eigenschappen geïmporteerd", + "Continue line": "Ga door met deze lijn", + "Continue line (Ctrl+Click)": "Ga door met deze lijn (Ctrl+Klik)", + "Coordinates": "Coördinaten", "Credits": "Bronvermelding", "Current view instead of default map view?": "Huidig zicht in plaats van standaard kaartaanzicht", - "Custom background": "Custom background", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", + "Custom background": "Eigen achtergrond", + "Data is browsable": "Data kan verkend worden", + "Default interaction options": "Standaard interactie-opties", "Default properties": "Standaardeigenschappen", - "Default shape properties": "Default shape properties", - "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Default shape properties": "Standaard vorm eigenschappen", + "Define link to open in a new window on polygon click.": "Stel outputlink in om een nieuw venster te openen wanneer polygoon wordt aangeklikt ", + "Delay between two transitions when in play mode": "Pauze tussen twee transities wanneer in afspeel-modus", "Delete": "Verwijderen", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", + "Delete all layers": "Verwijder alle lagen", + "Delete layer": "Verwijder laag", "Delete this feature": "Dit object verwijderen", - "Delete this property on all the features": "Delete this property on all the features", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Delete this property on all the features": "Verwijder deze eigenschap bij alle objecten", + "Delete this shape": "Verwijder deze vorm", + "Delete this vertex (Alt+Click)": "Verwijder dit knooppunt (Alt+Click)", "Directions from here": "Wegbeschrijving vanaf hier", "Disable editing": "Bewerken uitschakelen", - "Display measure": "Display measure", + "Display measure": "Toon meting", "Display on load": "Tonen bij laden", "Download": "Downloaden", "Download data": "Gegevens downloaden", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Sleep om de volgorde te wijzigen", "Draw a line": "Teken een lijn", "Draw a marker": "Teken een punt", "Draw a polygon": "Teken een veelhoek", "Draw a polyline": "Teken een lijn", "Dynamic": "Dynamisch", - "Dynamic properties": "Dynamic properties", + "Dynamic properties": "Dynamische eigenschappen", "Edit": "Bewerken", "Edit feature's layer": "Objectlaag bewerken", "Edit map properties": "Kaarteigenschappen wijzigen", @@ -170,160 +170,160 @@ var locale = { "Editing": "Bewerken", "Embed and share this map": "Deze kaart insluiten en delen", "Embed the map": "Kaart inbedden", - "Empty": "Empty", + "Empty": "Leeg", "Enable editing": "Bewerken inschakelen", "Error in the tilelayer URL": "Er is een fout opgetreden met de achtergrondtegels", - "Error while fetching {url}": "Error while fetching {url}", - "Exit Fullscreen": "Exit Fullscreen", - "Extract shape to separate feature": "Extract shape to separate feature", - "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", + "Error while fetching {url}": "Fout bij ophalen {url}", + "Exit Fullscreen": "Verlaat volledig scherm", + "Extract shape to separate feature": "Verplaats deze vorm naar een eigen object", + "Fetch data each time map view changes.": "Haal data op elke keer het kaartaanzicht verandert", + "Filter keys": "Filter op sleutel", "Filter…": "Filter…", "Format": "Formaat", "From zoom": "Van zoom", - "Full map data": "Full map data", + "Full map data": "Alle kaartdata", "Go to «{feature}»": "Ga naar «{feature}»", - "Heatmap intensity property": "Heatmap intensity property", - "Heatmap radius": "Heatmap radius", + "Heatmap intensity property": "Eigenschap die intensiteit van de heatmap bepaalt", + "Heatmap radius": "Doorsnede van de heatmap", "Help": "Help", "Hide controls": "Verberg besturingselementen", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Graad van vereenvoudiging van een veelhoek, per zoomniveau. (Hogere waarde = betere prestaties, lagere waarde = getrouwere precisie)", - "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", + "If false, the polygon will act as a part of the underlying map.": "Indien onwaar ('false'), dan zal de polygoon deel uitmaken van de onderliggende kaart", "Iframe export options": "Iframe exporteeropties", - "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", + "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe met gespecifieerde hoogte (in px): {{{http://iframe.url.com|height}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe met gespecifieerde hoogte en breedte (in px): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", "Image with custom width (in px): {{http://image.url.com|width}}": "Beeld met standaardbreedte (in px): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", + "Image: {{http://image.url.com}}": "Afbeelding: {{http://image.url.com}}", "Import": "Importeer", "Import data": "Gegevens importeren", - "Import in a new layer": "Import in a new layer", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", - "Interaction options": "Interaction options", - "Invalid umap data": "Invalid umap data", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", - "Keep current visible layers": "Keep current visible layers", - "Latitude": "Latitude", - "Layer": "Layer", - "Layer properties": "Layer properties", + "Import in a new layer": "Importeer in een nieuwe laag", + "Imports all umap data, including layers and settings.": "Importeert alle umap gegevens, inclusief lagen en instellingen", + "Include full screen link?": "Link voor volledig scherm meegeven?", + "Interaction options": "Opties voor interactie", + "Invalid umap data": "Incorrecte umap data", + "Invalid umap data in {filename}": "Incorrecte umap data in {filename}", + "Keep current visible layers": "Behoud de lagen die nu zichtbaar zijn", + "Latitude": "Breedtegraad", + "Layer": "Laag", + "Layer properties": "Laag eigenschappen", "Licence": "Licentie", "Limit bounds": "Gebied begrenzen", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Link with text: [[http://example.com|text of the link]]", - "Long credits": "Long credits", - "Longitude": "Longitude", - "Make main shape": "Make main shape", + "Link to…": "Link naar…", + "Link with text: [[http://example.com|text of the link]]": "Link met tekst: [[http://example.com|text of the link]]", + "Long credits": "Lange bronvermelding", + "Longitude": "Lengtegraad", + "Make main shape": "Maak hoofd-vorm", "Manage layers": "Manage layers", "Map background credits": "Bronvermelding kaartachtergrond", "Map has been attached to your account": "Kaart werd toegevoegd aan je account", - "Map has been saved!": "Map has been saved!", + "Map has been saved!": "De kaart is bewaard!", "Map user content has been published under licence": "Inhoud toegevoegd aan deze kaart wordt gepubliceerd onder deze licentievoorwaarden", "Map's editors": "Bewerkers van de kaart", "Map's owner": "Eigenaar van de kaart", - "Merge lines": "Merge lines", + "Merge lines": "Lijnen samenvoegen", "More controls": "Meer instelknoppen", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", - "No licence has been set": "No licence has been set", - "No results": "No results", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Dit moet een geldige CSS-waarde zijn (vb.: DarkBlue of #123456)", + "No licence has been set": "Er is geen licentie ingesteld", + "No results": "Geen resultaten", "Only visible features will be downloaded.": "Enkel zichtbare objecten zullen worden geëxporteerd", "Open download panel": "Open downloads", "Open link in…": "Open link in…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Open dit gedeelte van de kaart in een editor, zodat u de kaartgegeven in Openstreetmap zelf kan bijwerken.", - "Optional intensity property for heatmap": "Optional intensity property for heatmap", + "Optional intensity property for heatmap": "Optionele eigenschap om voor intensiteit van de heatmap te gebruiken", "Optional. Same as color if not set.": "Optioneel. Gelijk aan kleur indien niet ingesteld", - "Override clustering radius (default 80)": "Override clustering radius (default 80)", - "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", + "Override clustering radius (default 80)": "Andere clustering doorsnede gebruiken (standaard80)", + "Override heatmap radius (default 25)": "Andere heatmap doorsnede gebruiken (standaard 25)", "Please be sure the licence is compliant with your use.": "Zorg er aub voor dat je je aan de licentievoorwaarden houdt", - "Please choose a format": "Please choose a format", - "Please enter the name of the property": "Please enter the name of the property", - "Please enter the new name of this property": "Please enter the new name of this property", - "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", + "Please choose a format": "Kies een formaat", + "Please enter the name of the property": "Vul de naam in van de eigenschap", + "Please enter the new name of this property": "Vul de nieuwe naam in van de eigenschap", + "Powered by Leaflet and Django, glued by uMap project.": "Aangedreven door Leaflet enDjango, samengebracht door uMap project.", "Problem in the response": "Probleem met het antwoord gekregen van de server", "Problem in the response format": "Probleem met het formaat van het antwoord van de server", - "Properties imported:": "Properties imported:", - "Property to use for sorting features": "Property to use for sorting features", + "Properties imported:": "Geïmporteerde eigenschappen:", + "Property to use for sorting features": "Eigenschap om te gebruiken om objecten te sorteren", "Provide an URL here": "Geef hier een URL-adres op", "Proxy request": "Proxy request", "Remote data": "Data van elders", - "Remove shape from the multi": "Remove shape from the multi", - "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", + "Remove shape from the multi": "Verwijder de vorm uit de multi", + "Rename this property on all the features": "Wijzig de naam van deze eigenschap over al de objecten", + "Replace layer content": "Vervang de inhoud van de laag", + "Restore this version": "Keer terug naar deze versie", "Save": "Opslaan", - "Save anyway": "Save anyway", + "Save anyway": "Sla toch op", "Save current edits": "Huidige bewerkingen opslaan", "Save this center and zoom": "Bewaar deze positie op de kaart en het zoomniveau", - "Save this location as new feature": "Save this location as new feature", + "Save this location as new feature": "Sla deze locatie op als nieuw object", "Search a place name": "Zoek plaatsnaam", - "Search location": "Search location", + "Search location": "Zoek locatie", "Secret edit link is:
{link}": "Geheime link om te bewerken is\n{link}", - "See all": "See all", + "See all": "Toon alles", "See data layers": "Bekijk datalagen", "See full screen": "Op volledig scherm weergeven", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Zet op onwaar ('false') om deze laag te verbergen in de slideshow, data verkenner, popup navigatie, ...", + "Shape properties": "Eigenschappen van de vorm", "Short URL": "Korte URL", - "Short credits": "Short credits", - "Show/hide layer": "Laat tonen/verbergen", - "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Short credits": "Korte bronvermelding", + "Show/hide layer": "Laag tonen/verbergen", + "Simple link: [[http://example.com]]": "Eenvoudige link: [[http://example.com]]", "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", - "Split line": "Split line", - "Start a hole here": "Start a hole here", + "Smart transitions": "Slimme overgangen", + "Sort key": "Sleutel om op te sorteren", + "Split line": "Splits de lijn", + "Start a hole here": "Begin hier een gat", "Start editing": "Starten met editeren", "Start slideshow": "Start slideshow", "Stop editing": "Stop met editeren", "Stop slideshow": "Stop slideshow", - "Supported scheme": "Supported scheme", - "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", + "Supported scheme": "Toegestaan datamodel", + "Supported variables that will be dynamically replaced": "Toegestane variabele die dynamisch vervangen zullen worden", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbool kan zowel een unicodekarakter of een URL zijn. Je kan eigenschappen gebruiken als variabelen, bijv: met \"http://myserver.org/images/{name}.png\", hierbij zal de {name} variable vervangen worden door de \"name\"-waarde.", "TMS format": "TMS-formaat", - "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", - "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", + "Text color for the cluster label": "Kleur van de text voor het label van de cluster", + "Text formatting": "Opmaak van de tekst", + "The name of the property to use as feature label (ex.: \"nom\")": "De naam van de eigenschap om het object te labelen (vb.: \"naam\")", "The zoom and center have been setted.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", - "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", + "To use if remote server doesn't allow cross domain (slower)": "Activeer indien de externe server geen cross domain toelaat (trager)", "To zoom": "Tot zoomniveau", - "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", - "Transfer shape to edited feature": "Transfer shape to edited feature", + "Toggle edit mode (Shift+Click)": "Schakelaar voor editeermodus (Shift+Click)", + "Transfer shape to edited feature": "Verplaats vorm naar bewerkt object", "Transform to lines": "Omzetten naar lijnen", - "Transform to polygon": "Omzetten naar veelhoed", - "Type of layer": "Type of layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", + "Transform to polygon": "Omzetten naar polygoon", + "Type of layer": "Type laag", + "Unable to detect format of file {filename}": "Kan het bestandstype van {filename} niet detecteren", "Untitled layer": "Laag zonder naam", "Untitled map": "Kaart zonder naam", "Update permissions": "Gebruiksrechten aanpassen", "Update permissions and editors": "Bijwerken van permissies en bewerkers", "Url": "URL", - "Use current bounds": "Begrensd gebied instellen op wat nu te zien is", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", + "Use current bounds": "Gebied begrenzen op wat nu te zien is", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Gebruik een \"placeholders\" met de eigenschappen van objecten, vb. {naam}. Deze zullen dynamisch vervangen worden door de bijhorende waarde.", "User content credits": "Gebruikersinhoud bronvermelding", "User interface options": "Gebruikersinterfaceopties", - "Versions": "Versions", - "View Fullscreen": "View Fullscreen", - "Where do we go from here?": "Waar gaan we nu heen?", - "Whether to display or not polygons paths.": "Whether to display or not polygons paths.", - "Whether to fill polygons with color.": "Whether to fill polygons with color.", + "Versions": "Versies", + "View Fullscreen": "Toon op volledig scherm", + "Where do we go from here?": "Wat gaan we doen?", + "Whether to display or not polygons paths.": "Schakelaar toon polygoon omlijning", + "Whether to fill polygons with color.": "Schakelaar vul polygonen met een kleur", "Who can edit": "Wie kan bewerken", "Who can view": "Wie kan bekijken", - "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", - "Will be visible in the caption of the map": "Will be visible in the caption of the map", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", + "Will be displayed in the bottom right corner of the map": "Zal getoond worden in de rechter onderhoek van de kaart", + "Will be visible in the caption of the map": "Zal getoond worden in de hoofding van de kaart", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Oei! Iemand anders lijkt de kaart ook bewerkt te hebben. Je kan opslaan, maar dat zal eerdere wijzigingen overschrijven.", + "You have unsaved changes.": "Je hebt wijzigingen gemaakt die nog niet bewaard zijn.", "Zoom in": "Inzoomen", - "Zoom level for automatic zooms": "Zoom level for automatic zooms", + "Zoom level for automatic zooms": "Schaalniveau voor automatische zooms", "Zoom out": "Uitzoomen", "Zoom to layer extent": "Zodanig zoomen dat alle data in venster past", - "Zoom to the next": "Zoom to the next", - "Zoom to the previous": "Zoom to the previous", + "Zoom to the next": "Inzoomen op de volgende", + "Zoom to the previous": "Inzoomen op de vorige", "Zoom to this feature": "Op dit object inzoomen", - "Zoom to this place": "Zoom to this place", - "attribution": "attribution", - "by": "by", - "display name": "display name", + "Zoom to this place": "Inzoomen op deze plaats", + "attribution": "bronvermelding", + "by": "door", + "display name": "toon de naam", "height": "hoogte", "licence": "licentie", "max East": "maximale oostwaarde", @@ -332,10 +332,10 @@ var locale = { "max West": "maximale westwaarde", "max zoom": "max zoom", "min zoom": "min zoom", - "next": "next", - "previous": "previous", + "next": "volgende", + "previous": "vorige", "width": "breedte", - "{count} errors during import: {message}": "{count} errors during import: {message}", + "{count} errors during import: {message}": "{count} fouten tijdens import: {message}", "Measure distances": "Afstanden meten", "NM": "NM", "kilometers": "kilometer", @@ -357,20 +357,20 @@ var locale = { "1 hour": "1 uur", "5 min": "5 minuten", "Cache proxied request": "Cache proxied request", - "No cache": "No cache", + "No cache": "Geen cache", "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "Optional.", - "Paste your data here": "Paste your data here", + "Popup (large)": "Popup (groot)", + "Popup content style": "Stijl van de inhoud van de Popup", + "Popup shape": "Vorm van de Popup", + "Skipping unknown geometry.type: {type}": "Overgeslaan wegens onbekend geometry.type: {type}", + "Optional.": "Optioneel.", + "Paste your data here": "Plak je data hier", "Please save the map first": "Graag eerst de kaart opslaan", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", + "Unable to locate you.": "Niet gelukt om je te lokaliseren.", + "Feature identifier key": "Unieke identificator van het object", + "Open current feature on load": "Dit object openen bij laden", "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "The name of the property to use as feature unique identifier.": "De naam van de eigenschap die als unieke identificator van objecten geldt" }; L.registerLocale("nl", locale); L.setLocale("nl"); \ No newline at end of file diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index 1783c626..55af1d64 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -12,47 +12,47 @@ "Clustered": "Bij elkaar gevoegd", "Data browser": "Data browser", "Default": "Standaard", - "Default zoom level": "Default zoom level", - "Default: name": "Default: name", - "Display label": "Display label", - "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", - "Display the data layers control": "Display the data layers control", - "Display the embed control": "Display the embed control", - "Display the fullscreen control": "Display the fullscreen control", - "Display the locate control": "Display the locate control", - "Display the measure control": "Display the measure control", - "Display the search control": "Display the search control", - "Display the tile layers control": "Display the tile layers control", - "Display the zoom control": "Display the zoom control", + "Default zoom level": "Standaard schaalniveau", + "Default: name": "Standaard: naam", + "Display label": "Toon het label", + "Display the control to open OpenStreetMap editor": "Toon OpenStreetMap editor knop", + "Display the data layers control": "Toon data lagen knop", + "Display the embed control": "Toon inbedden knop", + "Display the fullscreen control": "Toon volledig scherm knop", + "Display the locate control": "Toon lokaliseer mij knop", + "Display the measure control": "Toon meetinstrument knop", + "Display the search control": "Toon zoeken knop", + "Display the tile layers control": "Toon achtergrondlagen knop", + "Display the zoom control": "Toon zoom knop", "Do you want to display a caption bar?": "Wil je een hoofding tonen?", "Do you want to display a minimap?": "Wil je een minikaartje tonen?", - "Do you want to display a panel on load?": "Do you want to display a panel on load?", + "Do you want to display a panel on load?": "Wil je een zijpaneel tonen als de kaart geladen wordt?", "Do you want to display popup footer?": "Wil je een popup-footer tonen?", "Do you want to display the scale control?": "Wil je het schaal-besturingselement tonen?", - "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Drop", + "Do you want to display the «more» control?": "Wil je de knop «meer» laten zien?", + "Drop": "Druppel", "GeoRSS (only link)": "GeoRSS (enkel link)", "GeoRSS (title + image)": "GeoRSS (titel + afbeelding)", - "Heatmap": "Heatmap", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", + "Heatmap": "Hittekaart", + "Icon shape": "Vorm van het icoon", + "Icon symbol": "Symbool voor het icoon", "Inherit": "Overerving", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "None", - "On the bottom": "On the bottom", - "On the left": "On the left", - "On the right": "On the right", - "On the top": "On the top", - "Popup content template": "Popup content template", + "Label direction": "Richting van het label", + "Label key": "Attribuut als label", + "Labels are clickable": "Labels kunnen aangeklikt worden", + "None": "Geen", + "On the bottom": "Aan de onderkant", + "On the left": "Aan de linkerkant", + "On the right": "Aan de rechterkant", + "On the top": "Aan de bovenkant", + "Popup content template": "Template voor de popup", "Set symbol": "Bepaal symbool", - "Side panel": "Side panel", - "Simplify": "Simplify", + "Side panel": "Zijpaneel", + "Simplify": "Vereenvoudig", "Symbol or url": "Symbool of URL", - "Table": "Table", + "Table": "Tabel", "always": "altijd", - "clear": "clear", + "clear": "wis", "collapsed": "dichtgeklapt", "color": "kleur", "dash array": "soort stippellijn", @@ -62,50 +62,50 @@ "fill": "opvullen", "fill color": "opvulkleur", "fill opacity": "(on)doorzichtigheid van inkleuring", - "hidden": "hidden", + "hidden": "verborgen", "iframe": "iframe", "inherit": "overerven", "name": "naam", "never": "nooit", - "new window": "new window", + "new window": "nieuw venster", "no": "neen", - "on hover": "on hover", + "on hover": "als de muis erover gaat", "opacity": "ondoorzichtigheid", - "parent window": "parent window", - "stroke": "lijndikte", - "weight": "weight", + "parent window": "bovenliggend venster", + "stroke": "omlijnde vlakken", + "weight": "lijndikte", "yes": "ja", "{delay} seconds": "{delay} seconden", - "# one hash for main heading": "# een hekje voor hoofding 1", - "## two hashes for second heading": "## twee hekjes voor hoofding 2", - "### three hashes for third heading": "### twee hekjes voor hoofding 3", - "**double star for bold**": "**Twee sterretjes voor vet**", - "*simple star for italic*": "*Enkel sterretje voor cursief*", + "# one hash for main heading": "# een hekje voor koptekst 1", + "## two hashes for second heading": "## twee hekjes voor koptekst 2", + "### three hashes for third heading": "### drie hekjes voor koptekst 3", + "**double star for bold**": "** Twee sterretjes voor vet **", + "*simple star for italic*": "* Enkel sterretje voor cursief *", "--- for an horizontal rule": "--- voor een horizontale scheidingslijn", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Een lijst getallen, gescheiden door komma's, die het streepjespatroon definiëren. Vb: \"5, 10, 15\".", "About": "Over", "Action not allowed :(": "Handeling niet toegestaan :(", - "Activate slideshow mode": "Activate slideshow mode", + "Activate slideshow mode": "Activeer slidshow modus", "Add a layer": "Laag toevoegen", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Add a new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", + "Add a line to the current multi": "Voeg een lijn to aan de huidige multilijn", + "Add a new property": "Voeg een nieuwe eigenschap toe", + "Add a polygon to the current multi": "Voeg een nieuwe polygoon toe aan de huidige multipolygoon", "Advanced actions": "Geavanceerde acties", "Advanced properties": "Geavanceerde eigenschappen", - "Advanced transition": "Advanced transition", + "Advanced transition": "Geavanceerde overgang", "All properties are imported.": "Alle eigenschappen zijn geïmporteerd", - "Allow interactions": "Allow interactions", + "Allow interactions": "Sta interactie toe", "An error occured": "Er is een fout opgetreden", - "Are you sure you want to cancel your changes?": "Ben je zeker dat je je wijzigingen wil annuleren?", - "Are you sure you want to clone this map and all its datalayers?": "Ben je zeker dat je deze kaart en alle gegevenslagen wil klonen?", - "Are you sure you want to delete the feature?": "Ben je zeker dat je het object wil verwijderen?", - "Are you sure you want to delete this layer?": "Are you sure you want to delete this layer?", - "Are you sure you want to delete this map?": "Ben je zeker dat je deze kaart wil verwijderen?", + "Are you sure you want to cancel your changes?": "Weet je zeker dat je je wijzigingen wil annuleren?", + "Are you sure you want to clone this map and all its datalayers?": "Weet je zeker dat je deze kaart en alle gegevenslagen wil klonen?", + "Are you sure you want to delete the feature?": "Weet je zeker dat je het object wil verwijderen?", + "Are you sure you want to delete this layer?": "Weet je zeker dat je deze laag wil verwijderen?", + "Are you sure you want to delete this map?": "Weet je zeker dat je deze kaart wilt verwijderen?", "Are you sure you want to delete this property on all the features?": "Are you sure you want to delete this property on all the features?", - "Are you sure you want to restore this version?": "Are you sure you want to restore this version?", + "Are you sure you want to restore this version?": "Weet je zeker dat je deze versie wilt terugzetten?", "Attach the map to my account": "Voeg de kaart toe aan mijn account", "Auto": "Auto", - "Autostart when map is loaded": "Autostart when map is loaded", + "Autostart when map is loaded": "Autostart als kaart wordt geladen", "Bring feature to center": "Object in het midden zetten", "Browse data": "Gegevens doorbladeren", "Cancel edits": "Bewerkingen annuleren", @@ -115,52 +115,52 @@ "Choose a preset": "Kies een voorkeuzeinstelling", "Choose the format of the data to import": "Kies het formaat van de te importeren gegevens", "Choose the layer to import in": "Kies de laag om in te importeren", - "Click last point to finish shape": "Click last point to finish shape", - "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", - "Click to edit": "Click to edit", - "Click to start drawing a line": "Click to start drawing a line", - "Click to start drawing a polygon": "Click to start drawing a polygon", - "Clone": "Clone", - "Clone of {name}": "Clone of {name}", - "Clone this feature": "Clone this feature", + "Click last point to finish shape": "Klik op het laatste punt om de vorm af te maken", + "Click to add a marker": "Klik om een punt toe te voegen", + "Click to continue drawing": "Klik om te blijven tekenen", + "Click to edit": "Klik om te bewerken", + "Click to start drawing a line": "Klik om een lijn te beginnen tekenen", + "Click to start drawing a polygon": "Klik om een polygoon te beginnen tekenen", + "Clone": "Klonen", + "Clone of {name}": "Kloon van {name}", + "Clone this feature": "Kloon dit object", "Clone this map": "Deze kaart klonen", - "Close": "Close", - "Clustering radius": "Clustering radius", - "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Komma-, tabulator- of puntkomma-gescheiden waardes, SRS WGS84 wordt verondersteld. Enkel puntgeometrieën wordne geímporteerd. Bij het importeren wordt gekeken naar kolomkoppen die met «lat» of «lon» beginnen. Alle andere kolommen worden als eigenschappen geïmporteerd", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordinates", + "Close": "Sluit", + "Clustering radius": "Doorsnede voor clusteren", + "Comma separated list of properties to use when filtering features": "Komma-gescheiden lijst van eigenschappen die gebruikt worden om te filteren", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Komma-, tabulator- of puntkomma-gescheiden waardes, SRS WGS84 wordt verondersteld. Enkel puntgeometrieën worden geïmporteerd. Bij het importeren wordt gekeken naar kolomkoppen die met «lat» of «lon» beginnen. Alle andere kolommen worden als eigenschappen geïmporteerd", + "Continue line": "Ga door met deze lijn", + "Continue line (Ctrl+Click)": "Ga door met deze lijn (Ctrl+Klik)", + "Coordinates": "Coördinaten", "Credits": "Bronvermelding", "Current view instead of default map view?": "Huidig zicht in plaats van standaard kaartaanzicht", - "Custom background": "Custom background", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", + "Custom background": "Eigen achtergrond", + "Data is browsable": "Data kan verkend worden", + "Default interaction options": "Standaard interactie-opties", "Default properties": "Standaardeigenschappen", - "Default shape properties": "Default shape properties", - "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Default shape properties": "Standaard vorm eigenschappen", + "Define link to open in a new window on polygon click.": "Stel outputlink in om een nieuw venster te openen wanneer polygoon wordt aangeklikt ", + "Delay between two transitions when in play mode": "Pauze tussen twee transities wanneer in afspeel-modus", "Delete": "Verwijderen", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", + "Delete all layers": "Verwijder alle lagen", + "Delete layer": "Verwijder laag", "Delete this feature": "Dit object verwijderen", - "Delete this property on all the features": "Delete this property on all the features", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Delete this property on all the features": "Verwijder deze eigenschap bij alle objecten", + "Delete this shape": "Verwijder deze vorm", + "Delete this vertex (Alt+Click)": "Verwijder dit knooppunt (Alt+Click)", "Directions from here": "Wegbeschrijving vanaf hier", "Disable editing": "Bewerken uitschakelen", - "Display measure": "Display measure", + "Display measure": "Toon meting", "Display on load": "Tonen bij laden", "Download": "Downloaden", "Download data": "Gegevens downloaden", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Sleep om de volgorde te wijzigen", "Draw a line": "Teken een lijn", "Draw a marker": "Teken een punt", "Draw a polygon": "Teken een veelhoek", "Draw a polyline": "Teken een lijn", "Dynamic": "Dynamisch", - "Dynamic properties": "Dynamic properties", + "Dynamic properties": "Dynamische eigenschappen", "Edit": "Bewerken", "Edit feature's layer": "Objectlaag bewerken", "Edit map properties": "Kaarteigenschappen wijzigen", @@ -170,160 +170,160 @@ "Editing": "Bewerken", "Embed and share this map": "Deze kaart insluiten en delen", "Embed the map": "Kaart inbedden", - "Empty": "Empty", + "Empty": "Leeg", "Enable editing": "Bewerken inschakelen", "Error in the tilelayer URL": "Er is een fout opgetreden met de achtergrondtegels", - "Error while fetching {url}": "Error while fetching {url}", - "Exit Fullscreen": "Exit Fullscreen", - "Extract shape to separate feature": "Extract shape to separate feature", - "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", + "Error while fetching {url}": "Fout bij ophalen {url}", + "Exit Fullscreen": "Verlaat volledig scherm", + "Extract shape to separate feature": "Verplaats deze vorm naar een eigen object", + "Fetch data each time map view changes.": "Haal data op elke keer het kaartaanzicht verandert", + "Filter keys": "Filter op sleutel", "Filter…": "Filter…", "Format": "Formaat", "From zoom": "Van zoom", - "Full map data": "Full map data", + "Full map data": "Alle kaartdata", "Go to «{feature}»": "Ga naar «{feature}»", - "Heatmap intensity property": "Heatmap intensity property", - "Heatmap radius": "Heatmap radius", + "Heatmap intensity property": "Eigenschap die intensiteit van de heatmap bepaalt", + "Heatmap radius": "Doorsnede van de heatmap", "Help": "Help", "Hide controls": "Verberg besturingselementen", "Home": "Home", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Graad van vereenvoudiging van een veelhoek, per zoomniveau. (Hogere waarde = betere prestaties, lagere waarde = getrouwere precisie)", - "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", + "If false, the polygon will act as a part of the underlying map.": "Indien onwaar ('false'), dan zal de polygoon deel uitmaken van de onderliggende kaart", "Iframe export options": "Iframe exporteeropties", - "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", + "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe met gespecifieerde hoogte (in px): {{{http://iframe.url.com|height}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe met gespecifieerde hoogte en breedte (in px): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", "Image with custom width (in px): {{http://image.url.com|width}}": "Beeld met standaardbreedte (in px): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", + "Image: {{http://image.url.com}}": "Afbeelding: {{http://image.url.com}}", "Import": "Importeer", "Import data": "Gegevens importeren", - "Import in a new layer": "Import in a new layer", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", - "Interaction options": "Interaction options", - "Invalid umap data": "Invalid umap data", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", - "Keep current visible layers": "Keep current visible layers", - "Latitude": "Latitude", - "Layer": "Layer", - "Layer properties": "Layer properties", + "Import in a new layer": "Importeer in een nieuwe laag", + "Imports all umap data, including layers and settings.": "Importeert alle umap gegevens, inclusief lagen en instellingen", + "Include full screen link?": "Link voor volledig scherm meegeven?", + "Interaction options": "Opties voor interactie", + "Invalid umap data": "Incorrecte umap data", + "Invalid umap data in {filename}": "Incorrecte umap data in {filename}", + "Keep current visible layers": "Behoud de lagen die nu zichtbaar zijn", + "Latitude": "Breedtegraad", + "Layer": "Laag", + "Layer properties": "Laag eigenschappen", "Licence": "Licentie", "Limit bounds": "Gebied begrenzen", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Link with text: [[http://example.com|text of the link]]", - "Long credits": "Long credits", - "Longitude": "Longitude", - "Make main shape": "Make main shape", + "Link to…": "Link naar…", + "Link with text: [[http://example.com|text of the link]]": "Link met tekst: [[http://example.com|text of the link]]", + "Long credits": "Lange bronvermelding", + "Longitude": "Lengtegraad", + "Make main shape": "Maak hoofd-vorm", "Manage layers": "Manage layers", "Map background credits": "Bronvermelding kaartachtergrond", "Map has been attached to your account": "Kaart werd toegevoegd aan je account", - "Map has been saved!": "Map has been saved!", + "Map has been saved!": "De kaart is bewaard!", "Map user content has been published under licence": "Inhoud toegevoegd aan deze kaart wordt gepubliceerd onder deze licentievoorwaarden", "Map's editors": "Bewerkers van de kaart", "Map's owner": "Eigenaar van de kaart", - "Merge lines": "Merge lines", + "Merge lines": "Lijnen samenvoegen", "More controls": "Meer instelknoppen", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", - "No licence has been set": "No licence has been set", - "No results": "No results", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Dit moet een geldige CSS-waarde zijn (vb.: DarkBlue of #123456)", + "No licence has been set": "Er is geen licentie ingesteld", + "No results": "Geen resultaten", "Only visible features will be downloaded.": "Enkel zichtbare objecten zullen worden geëxporteerd", "Open download panel": "Open downloads", "Open link in…": "Open link in…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Open dit gedeelte van de kaart in een editor, zodat u de kaartgegeven in Openstreetmap zelf kan bijwerken.", - "Optional intensity property for heatmap": "Optional intensity property for heatmap", + "Optional intensity property for heatmap": "Optionele eigenschap om voor intensiteit van de heatmap te gebruiken", "Optional. Same as color if not set.": "Optioneel. Gelijk aan kleur indien niet ingesteld", - "Override clustering radius (default 80)": "Override clustering radius (default 80)", - "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", + "Override clustering radius (default 80)": "Andere clustering doorsnede gebruiken (standaard80)", + "Override heatmap radius (default 25)": "Andere heatmap doorsnede gebruiken (standaard 25)", "Please be sure the licence is compliant with your use.": "Zorg er aub voor dat je je aan de licentievoorwaarden houdt", - "Please choose a format": "Please choose a format", - "Please enter the name of the property": "Please enter the name of the property", - "Please enter the new name of this property": "Please enter the new name of this property", - "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", + "Please choose a format": "Kies een formaat", + "Please enter the name of the property": "Vul de naam in van de eigenschap", + "Please enter the new name of this property": "Vul de nieuwe naam in van de eigenschap", + "Powered by Leaflet and Django, glued by uMap project.": "Aangedreven door Leaflet enDjango, samengebracht door uMap project.", "Problem in the response": "Probleem met het antwoord gekregen van de server", "Problem in the response format": "Probleem met het formaat van het antwoord van de server", - "Properties imported:": "Properties imported:", - "Property to use for sorting features": "Property to use for sorting features", + "Properties imported:": "Geïmporteerde eigenschappen:", + "Property to use for sorting features": "Eigenschap om te gebruiken om objecten te sorteren", "Provide an URL here": "Geef hier een URL-adres op", "Proxy request": "Proxy request", "Remote data": "Data van elders", - "Remove shape from the multi": "Remove shape from the multi", - "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", + "Remove shape from the multi": "Verwijder de vorm uit de multi", + "Rename this property on all the features": "Wijzig de naam van deze eigenschap over al de objecten", + "Replace layer content": "Vervang de inhoud van de laag", + "Restore this version": "Keer terug naar deze versie", "Save": "Opslaan", - "Save anyway": "Save anyway", + "Save anyway": "Sla toch op", "Save current edits": "Huidige bewerkingen opslaan", "Save this center and zoom": "Bewaar deze positie op de kaart en het zoomniveau", - "Save this location as new feature": "Save this location as new feature", + "Save this location as new feature": "Sla deze locatie op als nieuw object", "Search a place name": "Zoek plaatsnaam", - "Search location": "Search location", + "Search location": "Zoek locatie", "Secret edit link is:
{link}": "Geheime link om te bewerken is\n{link}", - "See all": "See all", + "See all": "Toon alles", "See data layers": "Bekijk datalagen", "See full screen": "Op volledig scherm weergeven", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Zet op onwaar ('false') om deze laag te verbergen in de slideshow, data verkenner, popup navigatie, ...", + "Shape properties": "Eigenschappen van de vorm", "Short URL": "Korte URL", - "Short credits": "Short credits", - "Show/hide layer": "Laat tonen/verbergen", - "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", + "Short credits": "Korte bronvermelding", + "Show/hide layer": "Laag tonen/verbergen", + "Simple link: [[http://example.com]]": "Eenvoudige link: [[http://example.com]]", "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", - "Split line": "Split line", - "Start a hole here": "Start a hole here", + "Smart transitions": "Slimme overgangen", + "Sort key": "Sleutel om op te sorteren", + "Split line": "Splits de lijn", + "Start a hole here": "Begin hier een gat", "Start editing": "Starten met editeren", "Start slideshow": "Start slideshow", "Stop editing": "Stop met editeren", "Stop slideshow": "Stop slideshow", - "Supported scheme": "Supported scheme", - "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", + "Supported scheme": "Toegestaan datamodel", + "Supported variables that will be dynamically replaced": "Toegestane variabele die dynamisch vervangen zullen worden", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbool kan zowel een unicodekarakter of een URL zijn. Je kan eigenschappen gebruiken als variabelen, bijv: met \"http://myserver.org/images/{name}.png\", hierbij zal de {name} variable vervangen worden door de \"name\"-waarde.", "TMS format": "TMS-formaat", - "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", - "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", + "Text color for the cluster label": "Kleur van de text voor het label van de cluster", + "Text formatting": "Opmaak van de tekst", + "The name of the property to use as feature label (ex.: \"nom\")": "De naam van de eigenschap om het object te labelen (vb.: \"naam\")", "The zoom and center have been setted.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", - "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", + "To use if remote server doesn't allow cross domain (slower)": "Activeer indien de externe server geen cross domain toelaat (trager)", "To zoom": "Tot zoomniveau", - "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", - "Transfer shape to edited feature": "Transfer shape to edited feature", + "Toggle edit mode (Shift+Click)": "Schakelaar voor editeermodus (Shift+Click)", + "Transfer shape to edited feature": "Verplaats vorm naar bewerkt object", "Transform to lines": "Omzetten naar lijnen", - "Transform to polygon": "Omzetten naar veelhoed", - "Type of layer": "Type of layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", + "Transform to polygon": "Omzetten naar polygoon", + "Type of layer": "Type laag", + "Unable to detect format of file {filename}": "Kan het bestandstype van {filename} niet detecteren", "Untitled layer": "Laag zonder naam", "Untitled map": "Kaart zonder naam", "Update permissions": "Gebruiksrechten aanpassen", "Update permissions and editors": "Bijwerken van permissies en bewerkers", "Url": "URL", - "Use current bounds": "Begrensd gebied instellen op wat nu te zien is", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", + "Use current bounds": "Gebied begrenzen op wat nu te zien is", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Gebruik een \"placeholders\" met de eigenschappen van objecten, vb. {naam}. Deze zullen dynamisch vervangen worden door de bijhorende waarde.", "User content credits": "Gebruikersinhoud bronvermelding", "User interface options": "Gebruikersinterfaceopties", - "Versions": "Versions", - "View Fullscreen": "View Fullscreen", - "Where do we go from here?": "Waar gaan we nu heen?", - "Whether to display or not polygons paths.": "Whether to display or not polygons paths.", - "Whether to fill polygons with color.": "Whether to fill polygons with color.", + "Versions": "Versies", + "View Fullscreen": "Toon op volledig scherm", + "Where do we go from here?": "Wat gaan we doen?", + "Whether to display or not polygons paths.": "Schakelaar toon polygoon omlijning", + "Whether to fill polygons with color.": "Schakelaar vul polygonen met een kleur", "Who can edit": "Wie kan bewerken", "Who can view": "Wie kan bekijken", - "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", - "Will be visible in the caption of the map": "Will be visible in the caption of the map", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", + "Will be displayed in the bottom right corner of the map": "Zal getoond worden in de rechter onderhoek van de kaart", + "Will be visible in the caption of the map": "Zal getoond worden in de hoofding van de kaart", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Oei! Iemand anders lijkt de kaart ook bewerkt te hebben. Je kan opslaan, maar dat zal eerdere wijzigingen overschrijven.", + "You have unsaved changes.": "Je hebt wijzigingen gemaakt die nog niet bewaard zijn.", "Zoom in": "Inzoomen", - "Zoom level for automatic zooms": "Zoom level for automatic zooms", + "Zoom level for automatic zooms": "Schaalniveau voor automatische zooms", "Zoom out": "Uitzoomen", "Zoom to layer extent": "Zodanig zoomen dat alle data in venster past", - "Zoom to the next": "Zoom to the next", - "Zoom to the previous": "Zoom to the previous", + "Zoom to the next": "Inzoomen op de volgende", + "Zoom to the previous": "Inzoomen op de vorige", "Zoom to this feature": "Op dit object inzoomen", - "Zoom to this place": "Zoom to this place", - "attribution": "attribution", - "by": "by", - "display name": "display name", + "Zoom to this place": "Inzoomen op deze plaats", + "attribution": "bronvermelding", + "by": "door", + "display name": "toon de naam", "height": "hoogte", "licence": "licentie", "max East": "maximale oostwaarde", @@ -332,10 +332,10 @@ "max West": "maximale westwaarde", "max zoom": "max zoom", "min zoom": "min zoom", - "next": "next", - "previous": "previous", + "next": "volgende", + "previous": "vorige", "width": "breedte", - "{count} errors during import: {message}": "{count} errors during import: {message}", + "{count} errors during import: {message}": "{count} fouten tijdens import: {message}", "Measure distances": "Afstanden meten", "NM": "NM", "kilometers": "kilometer", @@ -357,18 +357,18 @@ "1 hour": "1 uur", "5 min": "5 minuten", "Cache proxied request": "Cache proxied request", - "No cache": "No cache", + "No cache": "Geen cache", "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "Optional.", - "Paste your data here": "Paste your data here", + "Popup (large)": "Popup (groot)", + "Popup content style": "Stijl van de inhoud van de Popup", + "Popup shape": "Vorm van de Popup", + "Skipping unknown geometry.type: {type}": "Overgeslaan wegens onbekend geometry.type: {type}", + "Optional.": "Optioneel.", + "Paste your data here": "Plak je data hier", "Please save the map first": "Graag eerst de kaart opslaan", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", + "Unable to locate you.": "Niet gelukt om je te lokaliseren.", + "Feature identifier key": "Unieke identificator van het object", + "Open current feature on load": "Dit object openen bij laden", "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "The name of the property to use as feature unique identifier.": "De naam van de eigenschap die als unieke identificator van objecten geldt" } \ No newline at end of file diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index ca6bb181..2fd15b3f 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("no", locale); L.setLocale("no"); \ No newline at end of file diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index f557488c..3f5705bd 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Otwórz bieżący obiekt po załadowaniu", "Permalink": "Bezpośredni odnośnik.", "The name of the property to use as feature unique identifier.": "Nazwa właściwości używana jako unikalny identyfikator obiektu." -}; +} +; L.registerLocale("pl", locale); L.setLocale("pl"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index eeebabf8..39f5a51b 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("pt_BR", locale); L.setLocale("pt_BR"); \ No newline at end of file diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index ec4c4aa1..cc395edd 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("pt_PT", locale); L.setLocale("pt_PT"); \ No newline at end of file diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 31165aa9..2cdd91d3 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("sk_SK", locale); L.setLocale("sk_SK"); \ No newline at end of file diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index e957dc5f..4a3561c0 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("sl", locale); L.setLocale("sl"); \ No newline at end of file diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index 58f2bf10..02772aa9 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("uk_UA", locale); L.setLocale("uk_UA"); \ No newline at end of file diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index ebe874ca..3fe75119 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -371,6 +371,7 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -}; +} +; L.registerLocale("zh_TW", locale); L.setLocale("zh_TW"); \ No newline at end of file From fe7a7f54348b73e7056031f2cd3b845ff463bcdc Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 9 Nov 2020 07:30:02 +0100 Subject: [PATCH 11/42] Fix English typo setted => set --- umap/static/umap/js/umap.js | 2 +- umap/static/umap/locale/am_ET.json | 2 +- umap/static/umap/locale/ar.json | 2 +- umap/static/umap/locale/ast.json | 2 +- umap/static/umap/locale/bg.json | 2 +- umap/static/umap/locale/ca.json | 2 +- umap/static/umap/locale/cs_CZ.json | 2 +- umap/static/umap/locale/da.json | 2 +- umap/static/umap/locale/de.json | 2 +- umap/static/umap/locale/el.json | 2 +- umap/static/umap/locale/en.json | 2 +- umap/static/umap/locale/en_US.json | 2 +- umap/static/umap/locale/es.json | 2 +- umap/static/umap/locale/et.json | 2 +- umap/static/umap/locale/fa_IR.json | 2 +- umap/static/umap/locale/fi.json | 2 +- umap/static/umap/locale/fr.json | 2 +- umap/static/umap/locale/gl.json | 2 +- umap/static/umap/locale/he.json | 2 +- umap/static/umap/locale/hr.json | 2 +- umap/static/umap/locale/hu.json | 2 +- umap/static/umap/locale/id.json | 2 +- umap/static/umap/locale/is.json | 2 +- umap/static/umap/locale/it.json | 2 +- umap/static/umap/locale/ja.json | 2 +- umap/static/umap/locale/ko.json | 2 +- umap/static/umap/locale/lt.json | 2 +- umap/static/umap/locale/ms.json | 2 +- umap/static/umap/locale/nl.json | 2 +- umap/static/umap/locale/no.json | 2 +- umap/static/umap/locale/pl.json | 2 +- umap/static/umap/locale/pl_PL.json | 2 +- umap/static/umap/locale/pt.json | 2 +- umap/static/umap/locale/pt_BR.json | 2 +- umap/static/umap/locale/pt_PT.json | 2 +- umap/static/umap/locale/ro.json | 2 +- umap/static/umap/locale/ru.json | 2 +- umap/static/umap/locale/si_LK.json | 2 +- umap/static/umap/locale/sk_SK.json | 2 +- umap/static/umap/locale/sl.json | 2 +- umap/static/umap/locale/sr.json | 2 +- umap/static/umap/locale/sv.json | 2 +- umap/static/umap/locale/th_TH.json | 2 +- umap/static/umap/locale/tr.json | 2 +- umap/static/umap/locale/uk_UA.json | 2 +- umap/static/umap/locale/vi.json | 2 +- umap/static/umap/locale/vi_VN.json | 2 +- umap/static/umap/locale/zh.json | 2 +- umap/static/umap/locale/zh_CN.json | 2 +- umap/static/umap/locale/zh_TW.Big5.json | 2 +- umap/static/umap/locale/zh_TW.json | 2 +- 51 files changed, 51 insertions(+), 51 deletions(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 5f5cc0c1..34fe2f95 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -578,7 +578,7 @@ L.U.Map.include({ this.options.center = this.getCenter(); this.options.zoom = this.getZoom(); this.isDirty = true; - this.ui.alert({content: L._('The zoom and center have been setted.'), 'level': 'info'}); + this.ui.alert({content: L._('The zoom and center have been set.'), 'level': 'info'}); }, updateTileLayers: function () { diff --git a/umap/static/umap/locale/am_ET.json b/umap/static/umap/locale/am_ET.json index 4b08e757..285e8519 100644 --- a/umap/static/umap/locale/am_ET.json +++ b/umap/static/umap/locale/am_ET.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "የክላስተሩን ሌብ ፅሑፍ ከለር", "Text formatting": "ፅሁፍ ማስተካከያ", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "ዙሙ እና መሀከሉ ተወስነዋል", + "The zoom and center have been set.": "ዙሙ እና መሀከሉ ተወስነዋል", "To use if remote server doesn't allow cross domain (slower)": "ሪሞት ሰርቨሩ የዶሜይን ልውውጥን የማይፈቅድ ከሆነ ይህን ለመጠቀም (አዝጋሚ)", "To zoom": "ለማጉላት", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ar.json b/umap/static/umap/locale/ar.json index 7c846372..191799fb 100644 --- a/umap/static/umap/locale/ar.json +++ b/umap/static/umap/locale/ar.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ast.json b/umap/static/umap/locale/ast.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/ast.json +++ b/umap/static/umap/locale/ast.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index 4fa75604..d00585ae 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "форматиране на текст", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "За да се използва, ако отдалечен сървър не позволява кръстосан домейн (по-бавно)", "To zoom": "За да увеличите", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ca.json b/umap/static/umap/locale/ca.json index 61a3d9c3..ead773df 100644 --- a/umap/static/umap/locale/ca.json +++ b/umap/static/umap/locale/ca.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Format del text", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "S'han establert l'escala i el centre.", + "The zoom and center have been set.": "S'han establert l'escala i el centre.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "A l'escala", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/cs_CZ.json b/umap/static/umap/locale/cs_CZ.json index f0d68cf3..fdd643d5 100644 --- a/umap/static/umap/locale/cs_CZ.json +++ b/umap/static/umap/locale/cs_CZ.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Barva textu popisku shluku", "Text formatting": "Formátování textu", "The name of the property to use as feature label (ex.: \"nom\")": "Název vlastnosti pro použití v popisku objektu (ex.: \"nom\")", - "The zoom and center have been setted.": "Přiblížení a střed mapy byly nastaveny", + "The zoom and center have been set.": "Přiblížení a střed mapy byly nastaveny", "To use if remote server doesn't allow cross domain (slower)": "Pro případ že vzdálený server neumožňuje cross domain (pomalejší)", "To zoom": "Maximální přiblížení", "Toggle edit mode (Shift+Click)": "Přepnout do editovacího módu (Shift+Click)", diff --git a/umap/static/umap/locale/da.json b/umap/static/umap/locale/da.json index 621dd7e7..c2086b4f 100644 --- a/umap/static/umap/locale/da.json +++ b/umap/static/umap/locale/da.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Tekstfarve for klyngelabel", "Text formatting": "Tekstformatering", "The name of the property to use as feature label (ex.: \"nom\")": "Navnet på den egenskab, der skal anvendes som objektlabel (fx: \"nom\")", - "The zoom and center have been setted.": "Zoom og center er blevet justeret.", + "The zoom and center have been set.": "Zoom og center er blevet justeret.", "To use if remote server doesn't allow cross domain (slower)": "Anvendes hvis fjernserver ikke tillader krydsdomæne (langsommere)", "To zoom": "For at zoome", "Toggle edit mode (Shift+Click)": "Skift redigeringstilstand (Shift+Click)", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index 0606cd7c..cad73853 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Textfarbe für die Gruppierungsbezeichnung", "Text formatting": "Textformatierung", "The name of the property to use as feature label (ex.: \"nom\")": "Den Namen des Merkmals als Elementbezeichnung verwenden (z.B.: \"Name\")", - "The zoom and center have been setted.": "Zoomstufe und Mittelpunkt wurden gespeichert.", + "The zoom and center have been set.": "Zoomstufe und Mittelpunkt wurden gespeichert.", "To use if remote server doesn't allow cross domain (slower)": "Anzuwenden, wenn der Zielserver kein Cross Origin Resource Sharing (CORS) erlaubt (langsamer).", "To zoom": "Bis Zoomstufe", "Toggle edit mode (Shift+Click)": "Bearbeitungsmodus umschalten (Umschalt+Klick)", diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index 311adc6b..91386b51 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα ομαδοποίησης", "Text formatting": "Μορφοποίηση κειμένου", "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα χαρακτηριστικών (π.χ. \"nom\")", - "The zoom and center have been setted.": "Το επίπεδο μεγέθυνσης και το κέντρο χάρτη έχουν ρυθμιστεί.", + "The zoom and center have been set.": "Το επίπεδο μεγέθυνσης και το κέντρο χάρτη έχουν ρυθμιστεί.", "To use if remote server doesn't allow cross domain (slower)": "Για χρήση εάν ο απομακρυσμένος διακομιστής δεν επιτρέπει cross domain (πιο αργή)", "To zoom": "Για Μεγέθυνση ", "Toggle edit mode (Shift+Click)": "Εναλλαγή λειτουργίας επεξεργασίας (Shift+Click)", diff --git a/umap/static/umap/locale/en.json b/umap/static/umap/locale/en.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/en.json +++ b/umap/static/umap/locale/en.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/en_US.json b/umap/static/umap/locale/en_US.json index 72e0c461..3ce4a67d 100644 --- a/umap/static/umap/locale/en_US.json +++ b/umap/static/umap/locale/en_US.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Zoom and center saved.", + "The zoom and center have been set.": "Zoom and center saved.", "To use if remote server doesn't allow cross domain (slower)": "Use if the remote server doesn't support CORS (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/es.json b/umap/static/umap/locale/es.json index 5e501cb2..55d68af9 100644 --- a/umap/static/umap/locale/es.json +++ b/umap/static/umap/locale/es.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Color del texto para la etiqueta clúster", "Text formatting": "Formato de texto", "The name of the property to use as feature label (ex.: \"nom\")": "El nombre de la propiedad a usar como etiqueta del elemento (ejemplo: «nom»)", - "The zoom and center have been setted.": "El acercamiento y el centrado han sido establecidos.", + "The zoom and center have been set.": "El acercamiento y el centrado han sido establecidos.", "To use if remote server doesn't allow cross domain (slower)": "Para utilizar si el servidor remoto no permite dominios cruzados (más lento)", "To zoom": "Para acercar/alejar", "Toggle edit mode (Shift+Click)": "Conmuta el modo edición (Shift+Clic)", diff --git a/umap/static/umap/locale/et.json b/umap/static/umap/locale/et.json index 42b8dfbd..f3d4d895 100644 --- a/umap/static/umap/locale/et.json +++ b/umap/static/umap/locale/et.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Tekstivorming", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Suurendus ja keskpunkt salvestati", + "The zoom and center have been set.": "Suurendus ja keskpunkt salvestati", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Suurendusastmeni", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/fa_IR.json b/umap/static/umap/locale/fa_IR.json index b3faa891..61dcaac8 100644 --- a/umap/static/umap/locale/fa_IR.json +++ b/umap/static/umap/locale/fa_IR.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/fi.json b/umap/static/umap/locale/fi.json index 6ca7c1ae..541e4abc 100644 --- a/umap/static/umap/locale/fi.json +++ b/umap/static/umap/locale/fi.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Tekstin väri klusterietiketissä", "Text formatting": "Tekstin muotoilu", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Kartan keskitys ja zoomaustaso on asetettu.", + "The zoom and center have been set.": "Kartan keskitys ja zoomaustaso on asetettu.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Zoomaukseen", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/fr.json b/umap/static/umap/locale/fr.json index 28697e13..176e8027 100644 --- a/umap/static/umap/locale/fr.json +++ b/umap/static/umap/locale/fr.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Couleur du texte du cluster", "Text formatting": "Mise en forme du texte", "The name of the property to use as feature label (ex.: \"nom\")": "Le nom de la propriété à utiliser comme libellé des éléments (ex. : \"nom\")", - "The zoom and center have been setted.": "Le zoom et le centre ont été enregistrés.", + "The zoom and center have been set.": "Le zoom et le centre ont été enregistrés.", "To use if remote server doesn't allow cross domain (slower)": "Cocher si le serveur distant n'autorise pas le cross domain (plus lent)", "To zoom": "Jusqu'au zoom", "Toggle edit mode (Shift+Click)": "Alterner le mode édition (Shift+Clic)", diff --git a/umap/static/umap/locale/gl.json b/umap/static/umap/locale/gl.json index 08de0aa3..a7764bd8 100644 --- a/umap/static/umap/locale/gl.json +++ b/umap/static/umap/locale/gl.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Cor do texto para a etiqueta clúster", "Text formatting": "Formato do texto", "The name of the property to use as feature label (ex.: \"nom\")": "O nome da propiedade a empregar coma etiqueta do elemento (ex.: «nom»)", - "The zoom and center have been setted.": "O achegamento e o centrado foron estabelecidos.", + "The zoom and center have been set.": "O achegamento e o centrado foron estabelecidos.", "To use if remote server doesn't allow cross domain (slower)": "Para empregar se o servidor remoto non permite dominios cruzados (máis amodo)", "To zoom": "Para o achegamento", "Toggle edit mode (Shift+Click)": "Alterna o modo edición (Shift+Clic)", diff --git a/umap/static/umap/locale/he.json b/umap/static/umap/locale/he.json index 427c39e8..045ca794 100644 --- a/umap/static/umap/locale/he.json +++ b/umap/static/umap/locale/he.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "צבע טקסט לתווית הקבוצה", "Text formatting": "עיצוב טקסט", "The name of the property to use as feature label (ex.: \"nom\")": "שם המאפיין לשימוש כתווית תכונה (למשל: „nom”)", - "The zoom and center have been setted.": "התקריב והמרכז הוגדרו.", + "The zoom and center have been set.": "התקריב והמרכז הוגדרו.", "To use if remote server doesn't allow cross domain (slower)": "יש להשתמש אם השרת המרוחק לא מאפשר קישור בין שמות תחומים (Cross Origin - אטי יותר)", "To zoom": "לתקריב", "Toggle edit mode (Shift+Click)": "החלפת מצב עריכה ‪(Shift+לחיצה)", diff --git a/umap/static/umap/locale/hr.json b/umap/static/umap/locale/hr.json index 272fbb28..f934709f 100644 --- a/umap/static/umap/locale/hr.json +++ b/umap/static/umap/locale/hr.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Formatiranje teksta", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Do uvećanja", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/hu.json b/umap/static/umap/locale/hu.json index 72ac0026..5b7d096f 100644 --- a/umap/static/umap/locale/hu.json +++ b/umap/static/umap/locale/hu.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Csoportcímke szövegének színe", "Text formatting": "Szövegformázás", "The name of the property to use as feature label (ex.: \"nom\")": "Az objektum felirataként használandó tulajdonság neve (pl.: „név”)", - "The zoom and center have been setted.": "Nagyítás és középpont beállítva.", + "The zoom and center have been set.": "Nagyítás és középpont beállítva.", "To use if remote server doesn't allow cross domain (slower)": "Akkor használja, ha a távoli kiszolgáló nem engedélyezi a tartományok közötti (cross-domain) átvitelt (lassabb)", "To zoom": "Eddig a nagyítási szintig", "Toggle edit mode (Shift+Click)": "Szerkesztési mód bekapcsolása (Shift+Klikk)", diff --git a/umap/static/umap/locale/id.json b/umap/static/umap/locale/id.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/id.json +++ b/umap/static/umap/locale/id.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/is.json b/umap/static/umap/locale/is.json index 04daca7f..72fa461c 100644 --- a/umap/static/umap/locale/is.json +++ b/umap/static/umap/locale/is.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Litur á texta fyrir skýringu á klasa", "Text formatting": "Snið á texta", "The name of the property to use as feature label (ex.: \"nom\")": "Heiti eigindisins sem á að nota sem skýringu á fitju (dæmi: \"nafn\")", - "The zoom and center have been setted.": "Búið er að stilla aðdrátt og miðjun.", + "The zoom and center have been set.": "Búið er að stilla aðdrátt og miðjun.", "To use if remote server doesn't allow cross domain (slower)": "Nota ef fjartengdur þjónn leyfir ekki millivísanir léna (hægvirkara)", "To zoom": "Í aðdrátt", "Toggle edit mode (Shift+Click)": "Víxla breytingaham af/á (Shift+Smella)", diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index 3e6efa1e..d2e8c5cf 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Colore di testo per l'etichetta del raggruppamento", "Text formatting": "Formattazione testo", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Il livello di zoom e il centro sono stati impostati.", + "The zoom and center have been set.": "Il livello di zoom e il centro sono stati impostati.", "To use if remote server doesn't allow cross domain (slower)": "Da utilizzare se il server remoto non permette l'accesso incrociato ai domini (lento)", "To zoom": "Allo zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ja.json b/umap/static/umap/locale/ja.json index 384084f7..60f047e6 100644 --- a/umap/static/umap/locale/ja.json +++ b/umap/static/umap/locale/ja.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "クラスタラベルのテキスト色", "Text formatting": "テキスト形式", "The name of the property to use as feature label (ex.: \"nom\")": "地物のラベルとして用いるプロパティ名を入力する", - "The zoom and center have been setted.": "ズームと地図中心点の設定完了", + "The zoom and center have been set.": "ズームと地図中心点の設定完了", "To use if remote server doesn't allow cross domain (slower)": "外部サーバがクロスドメインを許可していない場合に使用します (処理速度低下)", "To zoom": "非表示にするズームレベル", "Toggle edit mode (Shift+Click)": "編集モードを切り替える(シフトキーを押しながらクリック)", diff --git a/umap/static/umap/locale/ko.json b/umap/static/umap/locale/ko.json index 2e9a021d..65ac72df 100644 --- a/umap/static/umap/locale/ko.json +++ b/umap/static/umap/locale/ko.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/lt.json b/umap/static/umap/locale/lt.json index 364da561..1556a0bf 100644 --- a/umap/static/umap/locale/lt.json +++ b/umap/static/umap/locale/lt.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Teksto spalva klasterio pavadinimui", "Text formatting": "Teksto formatavimas", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Šis mastelis ir centras išsaugoti.", + "The zoom and center have been set.": "Šis mastelis ir centras išsaugoti.", "To use if remote server doesn't allow cross domain (slower)": "Naudoti jei serveris neleidžia cross domain užklausų (lėtesnis sprendimas)", "To zoom": "Padidinti", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/nl.json b/umap/static/umap/locale/nl.json index 55af1d64..d514cb0d 100644 --- a/umap/static/umap/locale/nl.json +++ b/umap/static/umap/locale/nl.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Kleur van de text voor het label van de cluster", "Text formatting": "Opmaak van de tekst", "The name of the property to use as feature label (ex.: \"nom\")": "De naam van de eigenschap om het object te labelen (vb.: \"naam\")", - "The zoom and center have been setted.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", + "The zoom and center have been set.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", "To use if remote server doesn't allow cross domain (slower)": "Activeer indien de externe server geen cross domain toelaat (trager)", "To zoom": "Tot zoomniveau", "Toggle edit mode (Shift+Click)": "Schakelaar voor editeermodus (Shift+Click)", diff --git a/umap/static/umap/locale/no.json b/umap/static/umap/locale/no.json index 7062ee34..c53312db 100644 --- a/umap/static/umap/locale/no.json +++ b/umap/static/umap/locale/no.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index 404c7b7a..be528d1f 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Kolor tekstu dla etykiety grupy", "Text formatting": "Formatowanie tekstu", "The name of the property to use as feature label (ex.: \"nom\")": "Nazwa właściwości, która ma być używana jako etykieta obiektu (np. \"name\")", - "The zoom and center have been setted.": "Przybliżenie i środek zostały ustawione.", + "The zoom and center have been set.": "Przybliżenie i środek zostały ustawione.", "To use if remote server doesn't allow cross domain (slower)": "Używaj, jeśli zdalny serwer nie zezwala na cross domain (wolne)", "To zoom": "Przybliżać", "Toggle edit mode (Shift+Click)": "Przełącz tryb edycji (Shift+Klik)", diff --git a/umap/static/umap/locale/pl_PL.json b/umap/static/umap/locale/pl_PL.json index f394c5ab..d444e628 100644 --- a/umap/static/umap/locale/pl_PL.json +++ b/umap/static/umap/locale/pl_PL.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/pt.json b/umap/static/umap/locale/pt.json index 1f9bcdb9..09b70ebd 100644 --- a/umap/static/umap/locale/pt.json +++ b/umap/static/umap/locale/pt.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Cor do texto para a etiqueta do aglomerado", "Text formatting": "Formatação do texto", "The name of the property to use as feature label (ex.: \"nom\")": "O nome da propriedade a usar como etiqueta do elemento (ex.: \"nome\")", - "The zoom and center have been setted.": "O centro e a aproximação foram definidos.", + "The zoom and center have been set.": "O centro e a aproximação foram definidos.", "To use if remote server doesn't allow cross domain (slower)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", "Toggle edit mode (Shift+Click)": "Alternar modo de editar (Shift+Clique)", diff --git a/umap/static/umap/locale/pt_BR.json b/umap/static/umap/locale/pt_BR.json index 9bee861c..e78c0f89 100644 --- a/umap/static/umap/locale/pt_BR.json +++ b/umap/static/umap/locale/pt_BR.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Cor do texto para a etiqueta do aglomerado", "Text formatting": "Formatação do texto", "The name of the property to use as feature label (ex.: \"nom\")": "O nome da propriedade a usar como etiqueta do elemento (ex.: \"nome\")", - "The zoom and center have been setted.": "O centro e a aproximação foram definidos.", + "The zoom and center have been set.": "O centro e a aproximação foram definidos.", "To use if remote server doesn't allow cross domain (slower)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", "Toggle edit mode (Shift+Click)": "Alternar modo de editar (Shift+Clique)", diff --git a/umap/static/umap/locale/pt_PT.json b/umap/static/umap/locale/pt_PT.json index fc8cd879..fa055de8 100644 --- a/umap/static/umap/locale/pt_PT.json +++ b/umap/static/umap/locale/pt_PT.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Cor do texto para a etiqueta do aglomerado", "Text formatting": "Formatação do texto", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "O centro e a aproximação foram definidos.", + "The zoom and center have been set.": "O centro e a aproximação foram definidos.", "To use if remote server doesn't allow cross domain (slower)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", "Toggle edit mode (Shift+Click)": "Alternar modo de editar (Shift+Clique)", diff --git a/umap/static/umap/locale/ro.json b/umap/static/umap/locale/ro.json index a6388897..ebffe234 100644 --- a/umap/static/umap/locale/ro.json +++ b/umap/static/umap/locale/ro.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ru.json b/umap/static/umap/locale/ru.json index 28dd795b..e44a29cd 100644 --- a/umap/static/umap/locale/ru.json +++ b/umap/static/umap/locale/ru.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Цвет текста для меток кластера", "Text formatting": "Форматирование текста", "The name of the property to use as feature label (ex.: \"nom\")": "Название свойства в качестве метки объекта (напр., «Номер»)", - "The zoom and center have been setted.": "Масштаб и положение установлены", + "The zoom and center have been set.": "Масштаб и положение установлены", "To use if remote server doesn't allow cross domain (slower)": "Если удалённый сервер не позволяет кросс-домен (медленно)", "To zoom": "Масштабировать", "Toggle edit mode (Shift+Click)": "Переключиться в режим редактирования (Shift+Click)", diff --git a/umap/static/umap/locale/si_LK.json b/umap/static/umap/locale/si_LK.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/si_LK.json +++ b/umap/static/umap/locale/si_LK.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/sk_SK.json b/umap/static/umap/locale/sk_SK.json index 265b7bac..a0de36a9 100644 --- a/umap/static/umap/locale/sk_SK.json +++ b/umap/static/umap/locale/sk_SK.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Farba textu pre popis zhluku", "Text formatting": "Formátovanie textu", "The name of the property to use as feature label (ex.: \"nom\")": "Názov vlastnosti používať ako popis objektu (napr.: \"nom\")", - "The zoom and center have been setted.": "Priblíženie a stred mapy boli nastavené", + "The zoom and center have been set.": "Priblíženie a stred mapy boli nastavené", "To use if remote server doesn't allow cross domain (slower)": "Použiť keď vzdialený server nepovoľuje cross-domain (pomalšie)", "To zoom": "Max. priblíženie", "Toggle edit mode (Shift+Click)": "Prepnúť režim úprav (Shift+Klik)", diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index 6cbf4eee..04110dc9 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Barva besedila za oznako polja", "Text formatting": "Oblikovanje besedila", "The name of the property to use as feature label (ex.: \"nom\")": "Ime lastnosti, ki naj se uporabi kot oznaka predmeta (na primer »nom«)", - "The zoom and center have been setted.": "Vrednost in središčna točka sta nastavljeni.", + "The zoom and center have been set.": "Vrednost in središčna točka sta nastavljeni.", "To use if remote server doesn't allow cross domain (slower)": "Za uporabo, ko oddaljeni stražnik ne dovoli vzporednih domen (počasneje)", "To zoom": "Za približanje", "Toggle edit mode (Shift+Click)": "Preklop načina urejanja (Shift+Klik)", diff --git a/umap/static/umap/locale/sr.json b/umap/static/umap/locale/sr.json index 6d5e871c..da719c28 100644 --- a/umap/static/umap/locale/sr.json +++ b/umap/static/umap/locale/sr.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Мапа је центрирана.", + "The zoom and center have been set.": "Мапа је центрирана.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Увећај", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index a5c6955f..9d3dff79 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Zoom och centrering har satts.", + "The zoom and center have been set.": "Zoom och centrering har satts.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/th_TH.json b/umap/static/umap/locale/th_TH.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/th_TH.json +++ b/umap/static/umap/locale/th_TH.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index 637e3d6a..2a1c2081 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/uk_UA.json b/umap/static/umap/locale/uk_UA.json index 2b1bcaa1..7033d87f 100644 --- a/umap/static/umap/locale/uk_UA.json +++ b/umap/static/umap/locale/uk_UA.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Колір тексту для позначок кластера", "Text formatting": "Форматування тексту", "The name of the property to use as feature label (ex.: \"nom\")": "Назва параметру для використання в якості мітки об’єкта (напр.: „nom“)", - "The zoom and center have been setted.": "Масштаб й центрування виставлені", + "The zoom and center have been set.": "Масштаб й центрування виставлені", "To use if remote server doesn't allow cross domain (slower)": "Якщо віддалений сервер не дозволяє крос-домен (повільно)", "To zoom": "Масштабувати", "Toggle edit mode (Shift+Click)": "Перейти у режим редагування (Shift+клац)", diff --git a/umap/static/umap/locale/vi.json b/umap/static/umap/locale/vi.json index d31ea986..e4399c6e 100644 --- a/umap/static/umap/locale/vi.json +++ b/umap/static/umap/locale/vi.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/vi_VN.json b/umap/static/umap/locale/vi_VN.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/vi_VN.json +++ b/umap/static/umap/locale/vi_VN.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/zh.json b/umap/static/umap/locale/zh.json index fea32959..0c421898 100644 --- a/umap/static/umap/locale/zh.json +++ b/umap/static/umap/locale/zh.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "标注文本颜色", "Text formatting": "文本格式", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "缩放比例尺与中心设置完成", + "The zoom and center have been set.": "缩放比例尺与中心设置完成", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "放大", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/zh_CN.json b/umap/static/umap/locale/zh_CN.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/zh_CN.json +++ b/umap/static/umap/locale/zh_CN.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/zh_TW.Big5.json b/umap/static/umap/locale/zh_TW.Big5.json index 5837eb78..f111f462 100644 --- a/umap/static/umap/locale/zh_TW.Big5.json +++ b/umap/static/umap/locale/zh_TW.Big5.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/zh_TW.json b/umap/static/umap/locale/zh_TW.json index 1356795b..be2df608 100644 --- a/umap/static/umap/locale/zh_TW.json +++ b/umap/static/umap/locale/zh_TW.json @@ -284,7 +284,7 @@ "Text color for the cluster label": "叢集標籤的文字顏色", "Text formatting": "文字格式", "The name of the property to use as feature label (ex.: \"nom\")": "用作圖徵標籤的屬性名稱 (例如:“nom”)", - "The zoom and center have been setted.": "已完成置中及切換功能設定", + "The zoom and center have been set.": "已完成置中及切換功能設定", "To use if remote server doesn't allow cross domain (slower)": "如果遠端伺服器不允許跨網域存取時使用 (效率較差)", "To zoom": "至縮放大小", "Toggle edit mode (Shift+Click)": "切換編輯模式 (Shift+Click)", From 1c4531f70a4f112b7a38e4a11c64a67440e46cff Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 9 Nov 2020 08:09:05 +0100 Subject: [PATCH 12/42] Update map extent on first save if it still default one cf #841 --- umap/static/umap/js/umap.js | 3 +++ 1 file changed, 3 insertions(+) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index 34fe2f95..d5f55c52 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -178,6 +178,7 @@ L.U.Map.include({ // Creation mode if (!this.options.umap_id) { this.isDirty = true; + this._default_extent = true; this.options.name = L._('Untitled map'); this.options.allowEdit = true; var datalayer = this.createDataLayer(); @@ -578,6 +579,7 @@ L.U.Map.include({ this.options.center = this.getCenter(); this.options.zoom = this.getZoom(); this.isDirty = true; + this._default_extent = false; this.ui.alert({content: L._('The zoom and center have been set.'), 'level': 'info'}); }, @@ -1089,6 +1091,7 @@ L.U.Map.include({ save: function () { if (!this.isDirty) return; + if (this._default_extent) this.updateExtent(); var geojson = { type: 'Feature', geometry: this.geometry(), From a719bdaa384ccd918c2c543e7fcc9bf9297dc73b Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 9 Nov 2020 08:18:58 +0100 Subject: [PATCH 13/42] chore(travis): remove python 3.5, add 3.7, 3.8 and 3.9 --- .travis.yml | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 2ad23398..6ae2c056 100644 --- a/.travis.yml +++ b/.travis.yml @@ -2,8 +2,10 @@ sudo: false language: python dist: xenial python: -- "3.5" - "3.6" +- "3.7" +- "3.8" +- "3.9" services: - postgresql addons: From 264b2aaa5f74e6c7f899fddc17d00a319e458a1e Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 9 Nov 2020 09:11:37 +0100 Subject: [PATCH 14/42] Update Django to 2.2.17 --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index 9aa63086..83d58ebc 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,4 +1,4 @@ -Django==2.2.13 +Django==2.2.17 django-agnocomplete==1.0.0 django-compressor==2.4 Pillow==8.0.1 From 953e8eea5226a834db64e1bc25f9e0429cb34169 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 9 Nov 2020 09:18:44 +0100 Subject: [PATCH 15/42] 1.2.3 --- docs/changelog.md | 14 +++++++++++++- umap/__init__.py | 2 +- 2 files changed, 14 insertions(+), 2 deletions(-) diff --git a/docs/changelog.md b/docs/changelog.md index 9608a47a..59144afe 100644 --- a/docs/changelog.md +++ b/docs/changelog.md @@ -1,8 +1,20 @@ # Changelog +## 1.2.3 + +- improved panel layout and image sizing (by @Binnette, cf #824) +- upgraded Django to 2.2.17 and Pillow 8.0.1 (which drops support for python 3.5) +- experimental fallback handling in templating (cf #820) +- fixed search URL, and allow to control it from settings (cf #842) +- fixed map frozen when setting by hand invalid coordinates (cf #799) +- fixed changing map ownership (cf #780) +- do not change map zoom when locating user (cf #763) +- update map extent on first save if it has not been changed yet (cf #841) + + ## 1.2.2 -- Fix bug in popup inner HTML (cf #776) +- fixed bug in popup inner HTML (cf #776) ## 1.2.1 diff --git a/umap/__init__.py b/umap/__init__.py index d17177bb..14455300 100644 --- a/umap/__init__.py +++ b/umap/__init__.py @@ -1,5 +1,5 @@ "Create maps with OpenStreetMap layers in a minute and embed them in your site." -VERSION = (1, 2, 2) +VERSION = (1, 2, 3) __author__ = 'Yohan Boniface' __contact__ = "ybon@openstreetmap.fr" From 7893ff1c7d943b7fb71b74dbd8a3b47b7b104ca3 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 9 Nov 2020 09:54:16 +0100 Subject: [PATCH 16/42] fix english typo --- umap/static/umap/locale/am_ET.js | 2 +- umap/static/umap/locale/ar.js | 2 +- umap/static/umap/locale/ast.js | 2 +- umap/static/umap/locale/bg.js | 2 +- umap/static/umap/locale/ca.js | 2 +- umap/static/umap/locale/cs_CZ.js | 2 +- umap/static/umap/locale/da.js | 2 +- umap/static/umap/locale/de.js | 2 +- umap/static/umap/locale/el.js | 2 +- umap/static/umap/locale/en.js | 2 +- umap/static/umap/locale/es.js | 2 +- umap/static/umap/locale/et.js | 2 +- umap/static/umap/locale/fi.js | 2 +- umap/static/umap/locale/fr.js | 2 +- umap/static/umap/locale/gl.js | 2 +- umap/static/umap/locale/he.js | 2 +- umap/static/umap/locale/hr.js | 2 +- umap/static/umap/locale/hu.js | 2 +- umap/static/umap/locale/id.js | 2 +- umap/static/umap/locale/is.js | 2 +- umap/static/umap/locale/it.js | 2 +- umap/static/umap/locale/ja.js | 2 +- umap/static/umap/locale/ko.js | 2 +- umap/static/umap/locale/lt.js | 2 +- umap/static/umap/locale/nl.js | 2 +- umap/static/umap/locale/no.js | 2 +- umap/static/umap/locale/pl.js | 2 +- umap/static/umap/locale/pt_BR.js | 2 +- umap/static/umap/locale/pt_PT.js | 2 +- umap/static/umap/locale/ro.js | 2 +- umap/static/umap/locale/ru.js | 2 +- umap/static/umap/locale/si_LK.js | 2 +- umap/static/umap/locale/sk_SK.js | 2 +- umap/static/umap/locale/sl.js | 2 +- umap/static/umap/locale/sr.js | 2 +- umap/static/umap/locale/sv.js | 2 +- umap/static/umap/locale/th_TH.js | 2 +- umap/static/umap/locale/tr.js | 2 +- umap/static/umap/locale/uk_UA.js | 2 +- umap/static/umap/locale/vi.js | 2 +- umap/static/umap/locale/zh.js | 2 +- umap/static/umap/locale/zh_TW.js | 2 +- 42 files changed, 42 insertions(+), 42 deletions(-) diff --git a/umap/static/umap/locale/am_ET.js b/umap/static/umap/locale/am_ET.js index 3a8bdeb5..559e67a5 100644 --- a/umap/static/umap/locale/am_ET.js +++ b/umap/static/umap/locale/am_ET.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "የክላስተሩን ሌብ ፅሑፍ ከለር", "Text formatting": "ፅሁፍ ማስተካከያ", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "ዙሙ እና መሀከሉ ተወስነዋል", + "The zoom and center have been set.": "ዙሙ እና መሀከሉ ተወስነዋል", "To use if remote server doesn't allow cross domain (slower)": "ሪሞት ሰርቨሩ የዶሜይን ልውውጥን የማይፈቅድ ከሆነ ይህን ለመጠቀም (አዝጋሚ)", "To zoom": "ለማጉላት", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ar.js b/umap/static/umap/locale/ar.js index 2ee06bb3..c8f14764 100644 --- a/umap/static/umap/locale/ar.js +++ b/umap/static/umap/locale/ar.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ast.js b/umap/static/umap/locale/ast.js index fa0d1b9e..88991ad9 100644 --- a/umap/static/umap/locale/ast.js +++ b/umap/static/umap/locale/ast.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index a3513ec6..cdc04ea5 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "форматиране на текст", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "За да се използва, ако отдалечен сървър не позволява кръстосан домейн (по-бавно)", "To zoom": "За да увеличите", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ca.js b/umap/static/umap/locale/ca.js index e2d34a15..3d67a5c0 100644 --- a/umap/static/umap/locale/ca.js +++ b/umap/static/umap/locale/ca.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Format del text", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "S'han establert l'escala i el centre.", + "The zoom and center have been set.": "S'han establert l'escala i el centre.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "A l'escala", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/cs_CZ.js b/umap/static/umap/locale/cs_CZ.js index 6221f415..8ec31ad6 100644 --- a/umap/static/umap/locale/cs_CZ.js +++ b/umap/static/umap/locale/cs_CZ.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Barva textu popisku shluku", "Text formatting": "Formátování textu", "The name of the property to use as feature label (ex.: \"nom\")": "Název vlastnosti pro použití v popisku objektu (ex.: \"nom\")", - "The zoom and center have been setted.": "Přiblížení a střed mapy byly nastaveny", + "The zoom and center have been set.": "Přiblížení a střed mapy byly nastaveny", "To use if remote server doesn't allow cross domain (slower)": "Pro případ že vzdálený server neumožňuje cross domain (pomalejší)", "To zoom": "Maximální přiblížení", "Toggle edit mode (Shift+Click)": "Přepnout do editovacího módu (Shift+Click)", diff --git a/umap/static/umap/locale/da.js b/umap/static/umap/locale/da.js index e7058ab6..626a1c42 100644 --- a/umap/static/umap/locale/da.js +++ b/umap/static/umap/locale/da.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Tekstfarve for klyngelabel", "Text formatting": "Tekstformatering", "The name of the property to use as feature label (ex.: \"nom\")": "Navnet på den egenskab, der skal anvendes som objektlabel (fx: \"nom\")", - "The zoom and center have been setted.": "Zoom og center er blevet justeret.", + "The zoom and center have been set.": "Zoom og center er blevet justeret.", "To use if remote server doesn't allow cross domain (slower)": "Anvendes hvis fjernserver ikke tillader krydsdomæne (langsommere)", "To zoom": "For at zoome", "Toggle edit mode (Shift+Click)": "Skift redigeringstilstand (Shift+Click)", diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index aa7a09cf..021a0166 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Textfarbe für die Gruppierungsbezeichnung", "Text formatting": "Textformatierung", "The name of the property to use as feature label (ex.: \"nom\")": "Den Namen des Merkmals als Elementbezeichnung verwenden (z.B.: \"Name\")", - "The zoom and center have been setted.": "Zoomstufe und Mittelpunkt wurden gespeichert.", + "The zoom and center have been set.": "Zoomstufe und Mittelpunkt wurden gespeichert.", "To use if remote server doesn't allow cross domain (slower)": "Anzuwenden, wenn der Zielserver kein Cross Origin Resource Sharing (CORS) erlaubt (langsamer).", "To zoom": "Bis Zoomstufe", "Toggle edit mode (Shift+Click)": "Bearbeitungsmodus umschalten (Umschalt+Klick)", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 88b33934..919f8624 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα ομαδοποίησης", "Text formatting": "Μορφοποίηση κειμένου", "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα χαρακτηριστικών (π.χ. \"nom\")", - "The zoom and center have been setted.": "Το επίπεδο μεγέθυνσης και το κέντρο χάρτη έχουν ρυθμιστεί.", + "The zoom and center have been set.": "Το επίπεδο μεγέθυνσης και το κέντρο χάρτη έχουν ρυθμιστεί.", "To use if remote server doesn't allow cross domain (slower)": "Για χρήση εάν ο απομακρυσμένος διακομιστής δεν επιτρέπει cross domain (πιο αργή)", "To zoom": "Για Μεγέθυνση ", "Toggle edit mode (Shift+Click)": "Εναλλαγή λειτουργίας επεξεργασίας (Shift+Click)", diff --git a/umap/static/umap/locale/en.js b/umap/static/umap/locale/en.js index d22441ac..48cb4979 100644 --- a/umap/static/umap/locale/en.js +++ b/umap/static/umap/locale/en.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/es.js b/umap/static/umap/locale/es.js index 32192272..511f09e4 100644 --- a/umap/static/umap/locale/es.js +++ b/umap/static/umap/locale/es.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Color del texto para la etiqueta clúster", "Text formatting": "Formato de texto", "The name of the property to use as feature label (ex.: \"nom\")": "El nombre de la propiedad a usar como etiqueta del elemento (ejemplo: «nom»)", - "The zoom and center have been setted.": "El acercamiento y el centrado han sido establecidos.", + "The zoom and center have been set.": "El acercamiento y el centrado han sido establecidos.", "To use if remote server doesn't allow cross domain (slower)": "Para utilizar si el servidor remoto no permite dominios cruzados (más lento)", "To zoom": "Para acercar/alejar", "Toggle edit mode (Shift+Click)": "Conmuta el modo edición (Shift+Clic)", diff --git a/umap/static/umap/locale/et.js b/umap/static/umap/locale/et.js index 95c9e2f1..a4d35d0e 100644 --- a/umap/static/umap/locale/et.js +++ b/umap/static/umap/locale/et.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Tekstivorming", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Suurendus ja keskpunkt salvestati", + "The zoom and center have been set.": "Suurendus ja keskpunkt salvestati", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Suurendusastmeni", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/fi.js b/umap/static/umap/locale/fi.js index 8efdbd52..0287146d 100644 --- a/umap/static/umap/locale/fi.js +++ b/umap/static/umap/locale/fi.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Tekstin väri klusterietiketissä", "Text formatting": "Tekstin muotoilu", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Kartan keskitys ja zoomaustaso on asetettu.", + "The zoom and center have been set.": "Kartan keskitys ja zoomaustaso on asetettu.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Zoomaukseen", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/fr.js b/umap/static/umap/locale/fr.js index af432c44..08d54ad8 100644 --- a/umap/static/umap/locale/fr.js +++ b/umap/static/umap/locale/fr.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Couleur du texte du cluster", "Text formatting": "Mise en forme du texte", "The name of the property to use as feature label (ex.: \"nom\")": "Le nom de la propriété à utiliser comme libellé des éléments (ex. : \"nom\")", - "The zoom and center have been setted.": "Le zoom et le centre ont été enregistrés.", + "The zoom and center have been set.": "Le zoom et le centre ont été enregistrés.", "To use if remote server doesn't allow cross domain (slower)": "Cocher si le serveur distant n'autorise pas le cross domain (plus lent)", "To zoom": "Jusqu'au zoom", "Toggle edit mode (Shift+Click)": "Alterner le mode édition (Shift+Clic)", diff --git a/umap/static/umap/locale/gl.js b/umap/static/umap/locale/gl.js index 139be07c..922510a7 100644 --- a/umap/static/umap/locale/gl.js +++ b/umap/static/umap/locale/gl.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Cor do texto para a etiqueta clúster", "Text formatting": "Formato do texto", "The name of the property to use as feature label (ex.: \"nom\")": "O nome da propiedade a empregar coma etiqueta do elemento (ex.: «nom»)", - "The zoom and center have been setted.": "O achegamento e o centrado foron estabelecidos.", + "The zoom and center have been set.": "O achegamento e o centrado foron estabelecidos.", "To use if remote server doesn't allow cross domain (slower)": "Para empregar se o servidor remoto non permite dominios cruzados (máis amodo)", "To zoom": "Para o achegamento", "Toggle edit mode (Shift+Click)": "Alterna o modo edición (Shift+Clic)", diff --git a/umap/static/umap/locale/he.js b/umap/static/umap/locale/he.js index 37e77095..ca40bc46 100644 --- a/umap/static/umap/locale/he.js +++ b/umap/static/umap/locale/he.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "צבע טקסט לתווית הקבוצה", "Text formatting": "עיצוב טקסט", "The name of the property to use as feature label (ex.: \"nom\")": "שם המאפיין לשימוש כתווית תכונה (למשל: „nom”)", - "The zoom and center have been setted.": "התקריב והמרכז הוגדרו.", + "The zoom and center have been set.": "התקריב והמרכז הוגדרו.", "To use if remote server doesn't allow cross domain (slower)": "יש להשתמש אם השרת המרוחק לא מאפשר קישור בין שמות תחומים (Cross Origin - אטי יותר)", "To zoom": "לתקריב", "Toggle edit mode (Shift+Click)": "החלפת מצב עריכה ‪(Shift+לחיצה)", diff --git a/umap/static/umap/locale/hr.js b/umap/static/umap/locale/hr.js index 7565df01..1e0cc723 100644 --- a/umap/static/umap/locale/hr.js +++ b/umap/static/umap/locale/hr.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Formatiranje teksta", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Do uvećanja", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/hu.js b/umap/static/umap/locale/hu.js index 6e346ae6..2009378e 100644 --- a/umap/static/umap/locale/hu.js +++ b/umap/static/umap/locale/hu.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Csoportcímke szövegének színe", "Text formatting": "Szövegformázás", "The name of the property to use as feature label (ex.: \"nom\")": "Az objektum felirataként használandó tulajdonság neve (pl.: „név”)", - "The zoom and center have been setted.": "Nagyítás és középpont beállítva.", + "The zoom and center have been set.": "Nagyítás és középpont beállítva.", "To use if remote server doesn't allow cross domain (slower)": "Akkor használja, ha a távoli kiszolgáló nem engedélyezi a tartományok közötti (cross-domain) átvitelt (lassabb)", "To zoom": "Eddig a nagyítási szintig", "Toggle edit mode (Shift+Click)": "Szerkesztési mód bekapcsolása (Shift+Klikk)", diff --git a/umap/static/umap/locale/id.js b/umap/static/umap/locale/id.js index 67ec4368..8e33a460 100644 --- a/umap/static/umap/locale/id.js +++ b/umap/static/umap/locale/id.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/is.js b/umap/static/umap/locale/is.js index d24dba33..70f4aae9 100644 --- a/umap/static/umap/locale/is.js +++ b/umap/static/umap/locale/is.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Litur á texta fyrir skýringu á klasa", "Text formatting": "Snið á texta", "The name of the property to use as feature label (ex.: \"nom\")": "Heiti eigindisins sem á að nota sem skýringu á fitju (dæmi: \"nafn\")", - "The zoom and center have been setted.": "Búið er að stilla aðdrátt og miðjun.", + "The zoom and center have been set.": "Búið er að stilla aðdrátt og miðjun.", "To use if remote server doesn't allow cross domain (slower)": "Nota ef fjartengdur þjónn leyfir ekki millivísanir léna (hægvirkara)", "To zoom": "Í aðdrátt", "Toggle edit mode (Shift+Click)": "Víxla breytingaham af/á (Shift+Smella)", diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index 486164bc..c73da036 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Colore di testo per l'etichetta del raggruppamento", "Text formatting": "Formattazione testo", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Il livello di zoom e il centro sono stati impostati.", + "The zoom and center have been set.": "Il livello di zoom e il centro sono stati impostati.", "To use if remote server doesn't allow cross domain (slower)": "Da utilizzare se il server remoto non permette l'accesso incrociato ai domini (lento)", "To zoom": "Allo zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ja.js b/umap/static/umap/locale/ja.js index 516e837a..c39d3538 100644 --- a/umap/static/umap/locale/ja.js +++ b/umap/static/umap/locale/ja.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "クラスタラベルのテキスト色", "Text formatting": "テキスト形式", "The name of the property to use as feature label (ex.: \"nom\")": "地物のラベルとして用いるプロパティ名を入力する", - "The zoom and center have been setted.": "ズームと地図中心点の設定完了", + "The zoom and center have been set.": "ズームと地図中心点の設定完了", "To use if remote server doesn't allow cross domain (slower)": "外部サーバがクロスドメインを許可していない場合に使用します (処理速度低下)", "To zoom": "非表示にするズームレベル", "Toggle edit mode (Shift+Click)": "編集モードを切り替える(シフトキーを押しながらクリック)", diff --git a/umap/static/umap/locale/ko.js b/umap/static/umap/locale/ko.js index ffb0624f..adbc0599 100644 --- a/umap/static/umap/locale/ko.js +++ b/umap/static/umap/locale/ko.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/lt.js b/umap/static/umap/locale/lt.js index d724b60d..51aa9081 100644 --- a/umap/static/umap/locale/lt.js +++ b/umap/static/umap/locale/lt.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Teksto spalva klasterio pavadinimui", "Text formatting": "Teksto formatavimas", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Šis mastelis ir centras išsaugoti.", + "The zoom and center have been set.": "Šis mastelis ir centras išsaugoti.", "To use if remote server doesn't allow cross domain (slower)": "Naudoti jei serveris neleidžia cross domain užklausų (lėtesnis sprendimas)", "To zoom": "Padidinti", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/nl.js b/umap/static/umap/locale/nl.js index 587e9eb8..691f4afb 100644 --- a/umap/static/umap/locale/nl.js +++ b/umap/static/umap/locale/nl.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Kleur van de text voor het label van de cluster", "Text formatting": "Opmaak van de tekst", "The name of the property to use as feature label (ex.: \"nom\")": "De naam van de eigenschap om het object te labelen (vb.: \"naam\")", - "The zoom and center have been setted.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", + "The zoom and center have been set.": "Het zoomniveau en de positie op de kaarten zijn ingesteld", "To use if remote server doesn't allow cross domain (slower)": "Activeer indien de externe server geen cross domain toelaat (trager)", "To zoom": "Tot zoomniveau", "Toggle edit mode (Shift+Click)": "Schakelaar voor editeermodus (Shift+Click)", diff --git a/umap/static/umap/locale/no.js b/umap/static/umap/locale/no.js index 2fd15b3f..c574d69b 100644 --- a/umap/static/umap/locale/no.js +++ b/umap/static/umap/locale/no.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 3f5705bd..1241b6bb 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Kolor tekstu dla etykiety grupy", "Text formatting": "Formatowanie tekstu", "The name of the property to use as feature label (ex.: \"nom\")": "Nazwa właściwości, która ma być używana jako etykieta obiektu (np. \"name\")", - "The zoom and center have been setted.": "Przybliżenie i środek zostały ustawione.", + "The zoom and center have been set.": "Przybliżenie i środek zostały ustawione.", "To use if remote server doesn't allow cross domain (slower)": "Używaj, jeśli zdalny serwer nie zezwala na cross domain (wolne)", "To zoom": "Przybliżać", "Toggle edit mode (Shift+Click)": "Przełącz tryb edycji (Shift+Klik)", diff --git a/umap/static/umap/locale/pt_BR.js b/umap/static/umap/locale/pt_BR.js index 39f5a51b..08020a05 100644 --- a/umap/static/umap/locale/pt_BR.js +++ b/umap/static/umap/locale/pt_BR.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Cor do texto para a etiqueta do aglomerado", "Text formatting": "Formatação do texto", "The name of the property to use as feature label (ex.: \"nom\")": "O nome da propriedade a usar como etiqueta do elemento (ex.: \"nome\")", - "The zoom and center have been setted.": "O centro e a aproximação foram definidos.", + "The zoom and center have been set.": "O centro e a aproximação foram definidos.", "To use if remote server doesn't allow cross domain (slower)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", "Toggle edit mode (Shift+Click)": "Alternar modo de editar (Shift+Clique)", diff --git a/umap/static/umap/locale/pt_PT.js b/umap/static/umap/locale/pt_PT.js index cc395edd..a35100ac 100644 --- a/umap/static/umap/locale/pt_PT.js +++ b/umap/static/umap/locale/pt_PT.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Cor do texto para a etiqueta do aglomerado", "Text formatting": "Formatação do texto", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "O centro e a aproximação foram definidos.", + "The zoom and center have been set.": "O centro e a aproximação foram definidos.", "To use if remote server doesn't allow cross domain (slower)": "Para usar caso o servidor remoto não permitir domínios cruzados (mais lento)", "To zoom": "Ao zoom", "Toggle edit mode (Shift+Click)": "Alternar modo de editar (Shift+Clique)", diff --git a/umap/static/umap/locale/ro.js b/umap/static/umap/locale/ro.js index cc4e1369..48077669 100644 --- a/umap/static/umap/locale/ro.js +++ b/umap/static/umap/locale/ro.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/ru.js b/umap/static/umap/locale/ru.js index cad4e55a..ac453317 100644 --- a/umap/static/umap/locale/ru.js +++ b/umap/static/umap/locale/ru.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Цвет текста для меток кластера", "Text formatting": "Форматирование текста", "The name of the property to use as feature label (ex.: \"nom\")": "Название свойства в качестве метки объекта (напр., «Номер»)", - "The zoom and center have been setted.": "Масштаб и положение установлены", + "The zoom and center have been set.": "Масштаб и положение установлены", "To use if remote server doesn't allow cross domain (slower)": "Если удалённый сервер не позволяет кросс-домен (медленно)", "To zoom": "Масштабировать", "Toggle edit mode (Shift+Click)": "Переключиться в режим редактирования (Shift+Click)", diff --git a/umap/static/umap/locale/si_LK.js b/umap/static/umap/locale/si_LK.js index f8eeb90c..b6fbd9d6 100644 --- a/umap/static/umap/locale/si_LK.js +++ b/umap/static/umap/locale/si_LK.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/sk_SK.js b/umap/static/umap/locale/sk_SK.js index 2cdd91d3..a6975d1c 100644 --- a/umap/static/umap/locale/sk_SK.js +++ b/umap/static/umap/locale/sk_SK.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Farba textu pre popis zhluku", "Text formatting": "Formátovanie textu", "The name of the property to use as feature label (ex.: \"nom\")": "Názov vlastnosti používať ako popis objektu (napr.: \"nom\")", - "The zoom and center have been setted.": "Priblíženie a stred mapy boli nastavené", + "The zoom and center have been set.": "Priblíženie a stred mapy boli nastavené", "To use if remote server doesn't allow cross domain (slower)": "Použiť keď vzdialený server nepovoľuje cross-domain (pomalšie)", "To zoom": "Max. priblíženie", "Toggle edit mode (Shift+Click)": "Prepnúť režim úprav (Shift+Klik)", diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index 4a3561c0..d789ebf1 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Barva besedila za oznako polja", "Text formatting": "Oblikovanje besedila", "The name of the property to use as feature label (ex.: \"nom\")": "Ime lastnosti, ki naj se uporabi kot oznaka predmeta (na primer »nom«)", - "The zoom and center have been setted.": "Vrednost in središčna točka sta nastavljeni.", + "The zoom and center have been set.": "Vrednost in središčna točka sta nastavljeni.", "To use if remote server doesn't allow cross domain (slower)": "Za uporabo, ko oddaljeni stražnik ne dovoli vzporednih domen (počasneje)", "To zoom": "Za približanje", "Toggle edit mode (Shift+Click)": "Preklop načina urejanja (Shift+Klik)", diff --git a/umap/static/umap/locale/sr.js b/umap/static/umap/locale/sr.js index 5e739648..fa0b5d18 100644 --- a/umap/static/umap/locale/sr.js +++ b/umap/static/umap/locale/sr.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Мапа је центрирана.", + "The zoom and center have been set.": "Мапа је центрирана.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "Увећај", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index e457fdd2..c23bb96d 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "Zoom och centrering har satts.", + "The zoom and center have been set.": "Zoom och centrering har satts.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/th_TH.js b/umap/static/umap/locale/th_TH.js index 60a0d2cf..abe773a4 100644 --- a/umap/static/umap/locale/th_TH.js +++ b/umap/static/umap/locale/th_TH.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index d6f3f98d..dabc54d7 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/uk_UA.js b/umap/static/umap/locale/uk_UA.js index 02772aa9..1791e676 100644 --- a/umap/static/umap/locale/uk_UA.js +++ b/umap/static/umap/locale/uk_UA.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Колір тексту для позначок кластера", "Text formatting": "Форматування тексту", "The name of the property to use as feature label (ex.: \"nom\")": "Назва параметру для використання в якості мітки об’єкта (напр.: „nom“)", - "The zoom and center have been setted.": "Масштаб й центрування виставлені", + "The zoom and center have been set.": "Масштаб й центрування виставлені", "To use if remote server doesn't allow cross domain (slower)": "Якщо віддалений сервер не дозволяє крос-домен (повільно)", "To zoom": "Масштабувати", "Toggle edit mode (Shift+Click)": "Перейти у режим редагування (Shift+клац)", diff --git a/umap/static/umap/locale/vi.js b/umap/static/umap/locale/vi.js index 3a8571ac..d68895f4 100644 --- a/umap/static/umap/locale/vi.js +++ b/umap/static/umap/locale/vi.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "Text formatting", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "The zoom and center have been setted.", + "The zoom and center have been set.": "The zoom and center have been set.", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "To zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/zh.js b/umap/static/umap/locale/zh.js index b7bb2d5e..ad603a06 100644 --- a/umap/static/umap/locale/zh.js +++ b/umap/static/umap/locale/zh.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "标注文本颜色", "Text formatting": "文本格式", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been setted.": "缩放比例尺与中心设置完成", + "The zoom and center have been set.": "缩放比例尺与中心设置完成", "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", "To zoom": "放大", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/zh_TW.js b/umap/static/umap/locale/zh_TW.js index 3fe75119..447b9b8c 100644 --- a/umap/static/umap/locale/zh_TW.js +++ b/umap/static/umap/locale/zh_TW.js @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "叢集標籤的文字顏色", "Text formatting": "文字格式", "The name of the property to use as feature label (ex.: \"nom\")": "用作圖徵標籤的屬性名稱 (例如:“nom”)", - "The zoom and center have been setted.": "已完成置中及切換功能設定", + "The zoom and center have been set.": "已完成置中及切換功能設定", "To use if remote server doesn't allow cross domain (slower)": "如果遠端伺服器不允許跨網域存取時使用 (效率較差)", "To zoom": "至縮放大小", "Toggle edit mode (Shift+Click)": "切換編輯模式 (Shift+Click)", From 77d9e1f4e2aa102a961a18f00f316ca42d2e7703 Mon Sep 17 00:00:00 2001 From: Manfred Stock Date: Sat, 12 Dec 2020 17:47:41 +0100 Subject: [PATCH 17/42] Return first defined property instead of last property The changes done in b29adaa5 and ec275d64 introduced a property fallback, however, this always returned the property/string in the rightmost position, ignoring any of the previous values, even if they were defined. --- umap/static/umap/js/umap.core.js | 1 + umap/static/umap/test/Util.js | 7 +++++++ 2 files changed, 8 insertions(+) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 9b9d5e01..5042c827 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -140,6 +140,7 @@ L.Util.greedyTemplate = function (str, data, ignore) { path = vars[i]; if (path.startsWith('"') && path.endsWith('"')) value = path.substring(1, path.length -1); // static default value. else value = getValue(data, path.split('.')); + if (value !== undefined) break; } if (value === undefined) { if (ignore) value = str; diff --git a/umap/static/umap/test/Util.js b/umap/static/umap/test/Util.js index d990028e..acdffb5e 100644 --- a/umap/static/umap/test/Util.js +++ b/umap/static/umap/test/Util.js @@ -178,6 +178,13 @@ describe('L.Util', function () { assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.bar|try.again|"default"}.', {}), 'A phrase with a default.'); }); + it('should use the first defined value', function () { + assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.bar|try.again|"default"}.', {try: { again: 'please'}}), 'A phrase with a please.'); + }); + + it('should use the first defined value', function () { + assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.bar|try.again|"default"}.', {try: { again: 'again'}, fr: {var: {bar: 'value'}}}), 'A phrase with a value.'); + }); }); describe('#TextColorFromBackgroundColor', function () { From c7b78567c732b7799d154b10562b8a975120d09e Mon Sep 17 00:00:00 2001 From: Manfred Stock Date: Sat, 12 Dec 2020 23:09:35 +0100 Subject: [PATCH 18/42] Extend regex to support original example from issue #820 and more The original example from issue #820 was using a dash ('-') as fallback, however, the regular expression did not accept those. It also didn't support white space (and many other characters) in the fallback, which are also supported now, so one can even put e.g. links including label in the fallback. --- umap/static/umap/js/umap.core.js | 5 ++++- umap/static/umap/test/Util.js | 20 ++++++++++++++++++++ 2 files changed, 24 insertions(+), 1 deletion(-) diff --git a/umap/static/umap/js/umap.core.js b/umap/static/umap/js/umap.core.js index 5042c827..02afe2cd 100644 --- a/umap/static/umap/js/umap.core.js +++ b/umap/static/umap/js/umap.core.js @@ -134,8 +134,11 @@ L.Util.greedyTemplate = function (str, data, ignore) { return value; } - return str.replace(/\{ *([\w_\:\."\|]+) *\}/g, function (str, key) { + return str.replace(/\{ *([\w_\:\.\|]+)(?:\|("[^"]*"))? *\}/g, function (str, key, staticFallback) { var vars = key.split('|'), value, path; + if (staticFallback !== undefined) { + vars.push(staticFallback); + } for (var i = 0; i < vars.length; i++) { path = vars[i]; if (path.startsWith('"') && path.endsWith('"')) value = path.substring(1, path.length -1); // static default value. diff --git a/umap/static/umap/test/Util.js b/umap/static/umap/test/Util.js index acdffb5e..04ba27b2 100644 --- a/umap/static/umap/test/Util.js +++ b/umap/static/umap/test/Util.js @@ -185,6 +185,26 @@ describe('L.Util', function () { it('should use the first defined value', function () { assert.equal(L.Util.greedyTemplate('A phrase with a {fr.var.bar|try.again|"default"}.', {try: { again: 'again'}, fr: {var: {bar: 'value'}}}), 'A phrase with a value.'); }); + + it('should support the first example from #820 when translated to final syntax', function () { + assert.equal(L.Util.greedyTemplate('# {name} ({ele|"-"} m ü. M.)', {name: 'Portalet'}), '# Portalet (- m ü. M.)'); + }); + + it('should support the first example from #820 when translated to final syntax when no fallback required', function () { + assert.equal(L.Util.greedyTemplate('# {name} ({ele|"-"} m ü. M.)', {name: 'Portalet', ele: 3344}), '# Portalet (3344 m ü. M.)'); + }); + + it('should support white space in fallback', function () { + assert.equal(L.Util.greedyTemplate('A phrase with {var|"white space in the fallback."}', {}), 'A phrase with white space in the fallback.'); + }); + + it('should support empty string as fallback', function () { + assert.equal(L.Util.greedyTemplate('A phrase with empty string ("{var|""}") in the fallback.', {}), 'A phrase with empty string ("") in the fallback.'); + }); + + it('should support e.g. links as fallback', function () { + assert.equal(L.Util.greedyTemplate('A phrase with {var|"[[https://osm.org|link]]"} as fallback.', {}), 'A phrase with [[https://osm.org|link]] as fallback.'); + }); }); describe('#TextColorFromBackgroundColor', function () { From 1200b82838280693cc63c3844f5c3d13edde1484 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Mon, 17 May 2021 10:51:24 +0200 Subject: [PATCH 19/42] First attempt to upgrade to Django 3.X Bloqued by https://github.com/peopledoc/django-agnocomplete/issues/119 --- requirements-dev.txt | 8 ++--- requirements.txt | 14 ++++---- umap/fields.py | 2 +- umap/forms.py | 2 +- umap/middleware.py | 2 +- umap/models.py | 2 +- umap/settings/__init__.py | 4 +-- umap/settings/base.py | 5 +-- umap/tests/base.py | 10 +++--- umap/urls.py | 70 +++++++++++++++++++-------------------- umap/utils.py | 4 +++ umap/views.py | 12 +++---- 12 files changed, 70 insertions(+), 65 deletions(-) diff --git a/requirements-dev.txt b/requirements-dev.txt index b432f168..292fc59b 100644 --- a/requirements-dev.txt +++ b/requirements-dev.txt @@ -1,4 +1,4 @@ -factory-boy==2.12.0 -mkdocs==1.1 -pytest==5.4.1 -pytest-django==3.8.0 +factory-boy==3.2.0 +mkdocs==1.1.2 +pytest==6.2.4 +pytest-django==4.3.0 diff --git a/requirements.txt b/requirements.txt index 83d58ebc..fc44aa42 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,8 +1,8 @@ -Django==2.2.17 +Django==3.2.3 django-agnocomplete==1.0.0 -django-compressor==2.4 -Pillow==8.0.1 -psycopg2==2.8.4 -requests==2.23.0 -social-auth-core==3.3.2 -social-auth-app-django==3.1.0 +django-compressor==2.4.1 +Pillow==8.2.0 +psycopg2==2.8.6 +requests==2.25.1 +social-auth-core==4.1.0 +social-auth-app-django==4.0.0 diff --git a/umap/fields.py b/umap/fields.py index 064bd2f3..00dbf1e5 100644 --- a/umap/fields.py +++ b/umap/fields.py @@ -1,6 +1,6 @@ import json -from django.utils import six +import six from django.db import models from django.utils.encoding import smart_text diff --git a/umap/forms.py b/umap/forms.py index 10efa09f..09d0ab3a 100644 --- a/umap/forms.py +++ b/umap/forms.py @@ -1,7 +1,7 @@ from django import forms from django.contrib.gis.geos import Point from django.contrib.auth import get_user_model -from django.utils.translation import ugettext_lazy as _ +from django.utils.translation import gettext_lazy as _ from django.template.defaultfilters import slugify from django.conf import settings from django.forms.utils import ErrorList diff --git a/umap/middleware.py b/umap/middleware.py index dc76490f..d4c0e81e 100644 --- a/umap/middleware.py +++ b/umap/middleware.py @@ -1,7 +1,7 @@ from django.conf import settings from django.core.exceptions import MiddlewareNotUsed from django.http import HttpResponseForbidden -from django.utils.translation import ugettext as _ +from django.utils.translation import gettext as _ def readonly_middleware(get_response): diff --git a/umap/models.py b/umap/models.py index b77f2394..e0935a4d 100644 --- a/umap/models.py +++ b/umap/models.py @@ -4,7 +4,7 @@ import time from django.contrib.gis.db import models from django.conf import settings from django.urls import reverse -from django.utils.translation import ugettext_lazy as _ +from django.utils.translation import gettext_lazy as _ from django.core.signing import Signer from django.template.defaultfilters import slugify from django.core.files.base import File diff --git a/umap/settings/__init__.py b/umap/settings/__init__.py index 2d65ffc2..fc25bed1 100644 --- a/umap/settings/__init__.py +++ b/umap/settings/__init__.py @@ -1,6 +1,6 @@ -import imp import os import sys +import types from django.utils.termcolors import colorize @@ -22,7 +22,7 @@ if not path: print(colorize(msg, fg='red')) sys.exit(1) -d = imp.new_module('config') +d = types.ModuleType('config') d.__file__ = path try: with open(path) as config_file: diff --git a/umap/settings/base.py b/umap/settings/base.py index baaa1c3c..bb1b7591 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -1,6 +1,5 @@ """Base settings shared by all environments""" # Import global settings to make it easier to extend settings. -from django.conf.global_settings import * # pylint: disable=W0614,W0401 from django.template.defaultfilters import slugify from django.conf.locale import LANG_INFO @@ -130,8 +129,10 @@ STATIC_ROOT = os.path.join('static') MEDIA_ROOT = os.path.join('uploads') STATICFILES_FINDERS = [ + 'django.contrib.staticfiles.finders.FileSystemFinder', + 'django.contrib.staticfiles.finders.AppDirectoriesFinder', 'compressor.finders.CompressorFinder', -] + STATICFILES_FINDERS +] # ============================================================================= # Templates diff --git a/umap/tests/base.py b/umap/tests/base.py index b2c64942..24271178 100644 --- a/umap/tests/base.py +++ b/umap/tests/base.py @@ -10,14 +10,14 @@ from umap.models import DataLayer, Licence, Map, TileLayer User = get_user_model() -class LicenceFactory(factory.DjangoModelFactory): +class LicenceFactory(factory.django.DjangoModelFactory): name = "WTFPL" class Meta: model = Licence -class TileLayerFactory(factory.DjangoModelFactory): +class TileLayerFactory(factory.django.DjangoModelFactory): name = "Test zoom layer" url_template = "http://{s}.test.org/{z}/{x}/{y}.png" attribution = "Test layer attribution" @@ -26,7 +26,7 @@ class TileLayerFactory(factory.DjangoModelFactory): model = TileLayer -class UserFactory(factory.DjangoModelFactory): +class UserFactory(factory.django.DjangoModelFactory): username = 'Joe' email = factory.LazyAttribute( lambda a: '{0}@example.com'.format(a.username).lower()) @@ -36,7 +36,7 @@ class UserFactory(factory.DjangoModelFactory): model = User -class MapFactory(factory.DjangoModelFactory): +class MapFactory(factory.django.DjangoModelFactory): name = "test map" slug = "test-map" center = DEFAULT_CENTER @@ -76,7 +76,7 @@ class MapFactory(factory.DjangoModelFactory): model = Map -class DataLayerFactory(factory.DjangoModelFactory): +class DataLayerFactory(factory.django.DjangoModelFactory): map = factory.SubFactory(MapFactory) name = "test datalayer" description = "test description" diff --git a/umap/urls.py b/umap/urls.py index 3d44c2db..e0ff193b 100644 --- a/umap/urls.py +++ b/umap/urls.py @@ -1,5 +1,5 @@ from django.conf import settings -from django.conf.urls import include, url +from django.conf.urls import include, re_path from django.conf.urls.i18n import i18n_patterns from django.conf.urls.static import static from django.contrib import admin @@ -17,74 +17,74 @@ from .utils import decorated_patterns admin.autodiscover() urlpatterns = [ - url(r'^admin/', admin.site.urls), - url('', include('social_django.urls', namespace='social')), - url(r'^m/(?P\d+)/$', views.MapShortUrl.as_view(), + re_path(r'^admin/', admin.site.urls), + re_path('', include('social_django.urls', namespace='social')), + re_path(r'^m/(?P\d+)/$', views.MapShortUrl.as_view(), name='map_short_url'), - url(r'^ajax-proxy/$', cache_page(180)(views.ajax_proxy), + re_path(r'^ajax-proxy/$', cache_page(180)(views.ajax_proxy), name='ajax-proxy'), - url(r'^change-password/', auth_views.PasswordChangeView.as_view(), + re_path(r'^change-password/', auth_views.PasswordChangeView.as_view(), {'template_name': 'umap/password_change.html'}, name='password_change'), - url(r'^change-password-done/', auth_views.PasswordChangeDoneView.as_view(), + re_path(r'^change-password-done/', auth_views.PasswordChangeDoneView.as_view(), {'template_name': 'umap/password_change_done.html'}, name='password_change_done'), - url(r'^i18n/', include('django.conf.urls.i18n')), - url(r'^agnocomplete/', include('agnocomplete.urls')), + re_path(r'^i18n/', include('django.conf.urls.i18n')), + re_path(r'^agnocomplete/', include('agnocomplete.urls')), ] i18n_urls = [ - url(r'^login/$', jsonize_view(auth_views.LoginView.as_view()), name='login'), # noqa - url(r'^login/popup/end/$', views.LoginPopupEnd.as_view(), + re_path(r'^login/$', jsonize_view(auth_views.LoginView.as_view()), name='login'), # noqa + re_path(r'^login/popup/end/$', views.LoginPopupEnd.as_view(), name='login_popup_end'), - url(r'^logout/$', views.logout, name='logout'), - url(r'^map/(?P\d+)/geojson/$', views.MapViewGeoJSON.as_view(), + re_path(r'^logout/$', views.logout, name='logout'), + re_path(r'^map/(?P\d+)/geojson/$', views.MapViewGeoJSON.as_view(), name='map_geojson'), - url(r'^map/anonymous-edit/(?P.+)$', + re_path(r'^map/anonymous-edit/(?P.+)$', views.MapAnonymousEditUrl.as_view(), name='map_anonymous_edit_url'), - url(r'^pictogram/json/$', views.PictogramJSONList.as_view(), + re_path(r'^pictogram/json/$', views.PictogramJSONList.as_view(), name='pictogram_list_json'), ] i18n_urls += decorated_patterns(cache_control(must_revalidate=True), - url(r'^datalayer/(?P[\d]+)/$', views.DataLayerView.as_view(), name='datalayer_view'), # noqa - url(r'^datalayer/(?P[\d]+)/versions/$', views.DataLayerVersions.as_view(), name='datalayer_versions'), # noqa - url(r'^datalayer/(?P[\d]+)/(?P[_\w]+.geojson)$', views.DataLayerVersion.as_view(), name='datalayer_version'), # noqa + re_path(r'^datalayer/(?P[\d]+)/$', views.DataLayerView.as_view(), name='datalayer_view'), # noqa + re_path(r'^datalayer/(?P[\d]+)/versions/$', views.DataLayerVersions.as_view(), name='datalayer_versions'), # noqa + re_path(r'^datalayer/(?P[\d]+)/(?P[_\w]+.geojson)$', views.DataLayerVersion.as_view(), name='datalayer_version'), # noqa ) i18n_urls += decorated_patterns([ensure_csrf_cookie], - url(r'^map/(?P[-_\w]+)_(?P\d+)$', views.MapView.as_view(), name='map'), # noqa - url(r'^map/new/$', views.MapNew.as_view(), name='map_new'), + re_path(r'^map/(?P[-_\w]+)_(?P\d+)$', views.MapView.as_view(), name='map'), # noqa + re_path(r'^map/new/$', views.MapNew.as_view(), name='map_new'), ) i18n_urls += decorated_patterns( [login_required_if_not_anonymous_allowed, never_cache], - url(r'^map/create/$', views.MapCreate.as_view(), name='map_create'), + re_path(r'^map/create/$', views.MapCreate.as_view(), name='map_create'), ) i18n_urls += decorated_patterns( [map_permissions_check, never_cache], - url(r'^map/(?P[\d]+)/update/settings/$', views.MapUpdate.as_view(), + re_path(r'^map/(?P[\d]+)/update/settings/$', views.MapUpdate.as_view(), name='map_update'), - url(r'^map/(?P[\d]+)/update/permissions/$', + re_path(r'^map/(?P[\d]+)/update/permissions/$', views.UpdateMapPermissions.as_view(), name='map_update_permissions'), - url(r'^map/(?P[\d]+)/update/owner/$', + re_path(r'^map/(?P[\d]+)/update/owner/$', views.AttachAnonymousMap.as_view(), name='map_attach_owner'), - url(r'^map/(?P[\d]+)/update/delete/$', + re_path(r'^map/(?P[\d]+)/update/delete/$', views.MapDelete.as_view(), name='map_delete'), - url(r'^map/(?P[\d]+)/update/clone/$', + re_path(r'^map/(?P[\d]+)/update/clone/$', views.MapClone.as_view(), name='map_clone'), - url(r'^map/(?P[\d]+)/datalayer/create/$', + re_path(r'^map/(?P[\d]+)/datalayer/create/$', views.DataLayerCreate.as_view(), name='datalayer_create'), - url(r'^map/(?P[\d]+)/datalayer/update/(?P\d+)/$', + re_path(r'^map/(?P[\d]+)/datalayer/update/(?P\d+)/$', views.DataLayerUpdate.as_view(), name='datalayer_update'), - url(r'^map/(?P[\d]+)/datalayer/delete/(?P\d+)/$', + re_path(r'^map/(?P[\d]+)/datalayer/delete/(?P\d+)/$', views.DataLayerDelete.as_view(), name='datalayer_delete'), ) urlpatterns += i18n_patterns( - url(r'^$', views.home, name="home"), - url(r'^showcase/$', cache_page(24 * 60 * 60)(views.showcase), + re_path(r'^$', views.home, name="home"), + re_path(r'^showcase/$', cache_page(24 * 60 * 60)(views.showcase), name='maps_showcase'), - url(r'^search/$', views.search, name="search"), - url(r'^about/$', views.about, name="about"), - url(r'^user/(?P.+)/$', views.user_maps, name='user_maps'), - url(r'', include(i18n_urls)), + re_path(r'^search/$', views.search, name="search"), + re_path(r'^about/$', views.about, name="about"), + re_path(r'^user/(?P.+)/$', views.user_maps, name='user_maps'), + re_path(r'', include(i18n_urls)), ) if settings.DEBUG and settings.MEDIA_ROOT: diff --git a/umap/utils.py b/umap/utils.py index 57d4ce30..46da7749 100644 --- a/umap/utils.py +++ b/umap/utils.py @@ -109,3 +109,7 @@ def gzip_file(from_path, to_path): with open(from_path, 'rb') as f_in: with gzip.open(to_path, 'wb') as f_out: f_out.writelines(f_in) + + +def is_ajax(request): + return request.headers.get('x-requested-with') == 'XMLHttpRequest' diff --git a/umap/views.py b/umap/views.py index 344db789..56eb50ca 100644 --- a/umap/views.py +++ b/umap/views.py @@ -23,7 +23,7 @@ from django.template.loader import render_to_string from django.urls import reverse, reverse_lazy from django.utils.encoding import force_bytes, smart_bytes from django.utils.http import http_date -from django.utils.translation import ugettext as _ +from django.utils.translation import gettext as _ from django.utils.translation import to_locale from django.views.generic import DetailView, TemplateView, View from django.views.generic.base import RedirectView @@ -35,7 +35,7 @@ from .forms import (DEFAULT_LATITUDE, DEFAULT_LONGITUDE, DEFAULT_CENTER, AnonymousMapPermissionsForm, DataLayerForm, FlatErrorList, MapSettingsForm, UpdateMapPermissionsForm) from .models import DataLayer, Licence, Map, Pictogram, TileLayer -from .utils import get_uri_template, gzip_file +from .utils import get_uri_template, gzip_file, is_ajax try: # python3 @@ -116,7 +116,7 @@ class Home(TemplateView, PaginatorMixin): """ Dispatch template according to the kind of request: ajax or normal. """ - if self.request.is_ajax(): + if is_ajax(self.request): return [self.list_template_name] else: return [self.template_name] @@ -159,7 +159,7 @@ class UserMaps(DetailView, PaginatorMixin): """ Dispatch template according to the kind of request: ajax or normal. """ - if self.request.is_ajax(): + if is_ajax(self.request): return [self.list_template_name] else: return super(UserMaps, self).get_template_names() @@ -192,7 +192,7 @@ class Search(TemplateView, PaginatorMixin): """ Dispatch template according to the kind of request: ajax or normal. """ - if self.request.is_ajax(): + if is_ajax(self.request): return [self.list_template_name] else: return super(Search, self).get_template_names() @@ -239,7 +239,7 @@ showcase = MapsShowCase.as_view() def validate_url(request): assert request.method == "GET" - assert request.is_ajax() + assert is_ajax(request) url = request.GET.get('url') assert url try: From ebf0dee2166e3100edfc16388f34da6ead6b7d98 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 30 May 2021 19:31:42 +0200 Subject: [PATCH 20/42] Travis stuff --- .travis.yml | 15 ++++++++------- umap/tests/settings.py | 16 ++++++++++++++-- 2 files changed, 22 insertions(+), 9 deletions(-) diff --git a/.travis.yml b/.travis.yml index 6ae2c056..b3d77fca 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,21 +1,22 @@ -sudo: false +os: linux language: python -dist: xenial +dist: focal python: - "3.6" - "3.7" - "3.8" - "3.9" services: -- postgresql + - postgresql addons: - postgresql: "9.6" apt: packages: - libgdal-dev - - postgresql-9.6-postgis-2.4 + - postgresql-12-postgis-3 env: -- UMAP_SETTINGS=umap/tests/settings.py + global: + - PGPORT=5432 + - UMAP_SETTINGS=umap/tests/settings.py install: - pip install . - pip install -r requirements-dev.txt @@ -23,7 +24,7 @@ script: make test notifications: irc: channels: - - "irc.freenode.net#umap" + - "irc.libera.chat#umap" on_success: change on_failure: always email: false diff --git a/umap/tests/settings.py b/umap/tests/settings.py index 38fb0d6f..286c6860 100644 --- a/umap/tests/settings.py +++ b/umap/tests/settings.py @@ -1,4 +1,16 @@ -from umap.settings.base import * # pylint: disable=W0614,W0401 +import os -SECRET_KEY = 'justfortests' +from umap.settings.base import * # pylint: disable=W0614,W0401 + +SECRET_KEY = "justfortests" COMPRESS_ENABLED = False + +if "TRAVIS" in os.environ: + DATABASES = { + "default": { + "ENGINE": "django.contrib.gis.db.backends.postgis", + "NAME": "umap", + "PORT": 5433, + "USER": "travis", + } + } From 8f1de412b8291454203bdd8791c7966df8bc18bf Mon Sep 17 00:00:00 2001 From: Donal Hunt Date: Mon, 31 May 2021 15:33:13 +0100 Subject: [PATCH 21/42] redirect users back to TLD version of umap after 3rd party auth. setting "SOCIAL_AUTH_REDIRECT_IS_HTTPS = True" per https://python-social-auth.readthedocs.io/en/latest/configuration/settings.html#processing-redirects-and-urlopen --- umap/settings/local.py.sample | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/settings/local.py.sample b/umap/settings/local.py.sample index 204b8575..f50c3d1a 100644 --- a/umap/settings/local.py.sample +++ b/umap/settings/local.py.sample @@ -58,6 +58,7 @@ SOCIAL_AUTH_OPENSTREETMAP_SECRET = 'xxx' MIDDLEWARE += ( 'social_django.middleware.SocialAuthExceptionMiddleware', ) +SOCIAL_AUTH_REDIRECT_IS_HTTPS = True SOCIAL_AUTH_RAISE_EXCEPTIONS = False SOCIAL_AUTH_BACKEND_ERROR_URL = "/" From ec11d675e95a82423c6172b0f44516bc689fdadb Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Sun, 11 Jul 2021 12:29:06 +0200 Subject: [PATCH 22/42] i18n --- setup.py | 2 + umap/locale/bg/LC_MESSAGES/django.mo | Bin 7078 -> 7196 bytes umap/locale/bg/LC_MESSAGES/django.po | 15 +- umap/locale/de/LC_MESSAGES/django.mo | Bin 7340 -> 7362 bytes umap/locale/de/LC_MESSAGES/django.po | 18 +- umap/locale/el/LC_MESSAGES/django.mo | Bin 9369 -> 10089 bytes umap/locale/el/LC_MESSAGES/django.po | 131 ++--- umap/locale/pl/LC_MESSAGES/django.mo | Bin 7340 -> 7336 bytes umap/locale/pl/LC_MESSAGES/django.po | 8 +- umap/locale/sv/LC_MESSAGES/django.mo | Bin 6917 -> 7024 bytes umap/locale/sv/LC_MESSAGES/django.po | 14 +- umap/locale/tr/LC_MESSAGES/django.mo | Bin 5879 -> 7424 bytes umap/locale/tr/LC_MESSAGES/django.po | 25 +- umap/static/umap/locale/bg.js | 52 +- umap/static/umap/locale/bg.json | 52 +- umap/static/umap/locale/el.js | 501 +++++++++--------- umap/static/umap/locale/el.json | 500 +++++++++--------- umap/static/umap/locale/ms.json | 726 +++++++++++++-------------- umap/static/umap/locale/pl.js | 19 +- umap/static/umap/locale/pl.json | 18 +- umap/static/umap/locale/sl.js | 7 +- umap/static/umap/locale/sl.json | 6 +- umap/static/umap/locale/sv.js | 410 +++++++-------- umap/static/umap/locale/sv.json | 410 +++++++-------- umap/static/umap/locale/tr.js | 578 ++++++++++----------- umap/static/umap/locale/tr.json | 578 ++++++++++----------- 26 files changed, 2037 insertions(+), 2033 deletions(-) diff --git a/setup.py b/setup.py index dbb08bbc..af288090 100644 --- a/setup.py +++ b/setup.py @@ -41,6 +41,8 @@ setup( "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", ], entry_points={ 'console_scripts': ['umap=umap.bin:main'], diff --git a/umap/locale/bg/LC_MESSAGES/django.mo b/umap/locale/bg/LC_MESSAGES/django.mo index 71a5de89a0bc5408705fbb3c8e5096aaf937c428..af77158c4c02a9b335a1f4736ac3d18039abbc58 100644 GIT binary patch delta 1651 zcmX}sduYvJ9LMqRIn0@DHao-Ioz2W;&YT@~VVs>YLdz}tgGN@9{4uL7gg*}2l0Qfj zQfx?KCG?xjJ-L;V-zmyJmn8o1{+u1Y{hr_JInViBp6B~K&+kn6v5MGBfB!>9 z)KErKW_!&Vu)aSh;#GP7ZzcG z&n&|%X3MCIqG1gV$8DI69jF^m;|M&Dy6zzc@huL)Y%b!NR){oN5Y^#QREH{Y4z9vH zJc2{Y9NuS9A1ZqAhqS&2rExW>u^bFw05@YbZow-!7>l`x*|I9si{>JK*&@^n z>M#q}B-@*k?c0#Uc5#X+)%%lwoIpM3EGi=xP^s)ejqn+93o)JH$(5+~<5+>0QFH$pi*Pi(SBDm2 z6zfon>@cpyJGcM?%nN<64alvw1vQ{Oe)1opa)5?Tyn`!n9TPkmoun^NnenmWv=%Z^ zi>Uxt;{uH0Nvy>;I2WgJ@nUR2b@V2V!$&w3KgOu2XSu8lZKFag#reo#J2+h>#T^*s zcP%SRBiM)BYMrPT_26^-nbc*=XuF;p**8^BP#t)Ry8kumy|J%U3aNP5Ta$1Sk_20h z>S-ft8?~Vxa0=D23#g1dKn81%QTM$;4*S80^=#REROo*qSm*yk_sr7%S7_1bVTvk> zwv|HLOwq58Lz(d2pEomH5)73F!=XU9WLBu`;O&gu47ba@?p}0n zxR>3V&hLy!imxNy?%r~HoN|Ag$J6WF$m#Z^cexkiJ89)or*Y_gZ&sIkE519vvpC@P L>RxB!@L0dUIT^I% delta 1555 zcmY+^OGs2v9LMqhjE3Jv5dZo~u{S&faD zjUBiUk7J_xKTky;Uc~u0g1I<``rsL^!70qdgt=w~xEM3A0X6Ve)IfSL6(hI^Podf$ z#_xCy)!w-jB0&Fkhl&^P;~-ArQQSc*8tD^cRqQRQgZIc~pDEPv4_tu1;?F(ARnOCr z%a%|mqWSUX0aQC7jB1&;Qehdb1(~F^BA2yO==~uabeSDNMd(YK*=GESA*|xz4m^g{ z_!NWq2dgm1=t^-AwI^=kHhi#v_^aY!ntHJv1K5RH<54Wem#6{##t<%_uw>!u!$Ylg6DA) zzQtx-%15iP6HD+cY9QmN)A0y5;1p_4ETWhoqP{4V5D&gFecstRc9I$n;yXMYcMnHk zE%y~mXO?6)DkA$)GwnfjcmnhB06p(^()ZC4DjHD@DgrxE$7&bq z!^6mBQ402@T|ovOTPAflJE;TOk0mdqHldORR7+NeN;;NqGOHDhtve?o_UEI`qbU4K z2~;$Q_)8s!*>XYd0(D zKG&J_>~%YJ$?Yy@bZ(E!$xKahH<#7;{FOd`wYRLYwmeYmC#AH6`v-h&k#KMS;qX9T zq}F@9?@+k+KwocnSGc3oTmRo}s4LRhS=to|I?ZW8k292U#^suDva)Wwoafn(-Ogyv G$%MaDE|cB> diff --git a/umap/locale/bg/LC_MESSAGES/django.po b/umap/locale/bg/LC_MESSAGES/django.po index d4a926c1..c74657ff 100644 --- a/umap/locale/bg/LC_MESSAGES/django.po +++ b/umap/locale/bg/LC_MESSAGES/django.po @@ -5,13 +5,14 @@ # Translators: # lillyvip , 2013-2014 # yohanboniface , 2014 +# Пламен, 2021 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2019-04-07 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2021-05-20 21:06+0000\n" +"Last-Translator: Пламен\n" "Language-Team: Bulgarian (http://www.transifex.com/openstreetmap/umap/language/bg/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -38,7 +39,7 @@ msgstr "Създай карта" #: tmp/framacarte/templates/umap/navigation.html:7 #: umap/templates/umap/navigation.html:10 msgid "My maps" -msgstr "Мойте карти" +msgstr "Моите карти" #: tmp/framacarte/templates/umap/navigation.html:9 #: umap/templates/umap/navigation.html:12 @@ -207,15 +208,15 @@ msgstr "" #: umap/templates/registration/login.html:18 msgid "Username" -msgstr "" +msgstr "Потр. име" #: umap/templates/registration/login.html:20 msgid "Password" -msgstr "" +msgstr "Парола" #: umap/templates/registration/login.html:21 msgid "Login" -msgstr "" +msgstr "Вход" #: umap/templates/registration/login.html:27 msgid "Please choose a provider" diff --git a/umap/locale/de/LC_MESSAGES/django.mo b/umap/locale/de/LC_MESSAGES/django.mo index 6aa085139e6f6cf0ff93d77b7bee4f2a20a71bf8..b583620920d2dc766ea9dba1df71fa26c98606c1 100644 GIT binary patch delta 812 zcmXZZOK1~O6vpwBq|w@Fo0>MJqt@|(jn&l5D5b3rl-7kHb>l*G70F=6Bomp8R#(}m z;KD~J2;!=%3hhFT&xHtG>B>a~7b5s5xN>Q!An5;?gn{3^H*@bj-n~2=$7K!2$9Kx4q;}1NI#(I$ftYR-dK(@+b?8gP%f?sh1h7uxcu@BR@6L;ZB z)w&PEz(=Iu$5tvG^%c&0VKj#}6(YJg8j^JEG2 z!eu0j^w6G-n65Fn&0qqxMT@u!|KK`|q?(m?qaJAE2p&M~NPtN`VI8%Qhs4t$i%4ks zf;;dR-bI5{b(}*jsCI}lH1S!~R$jme1{lLDs0Uud)mTTp_&)NP59FO+L#_epzvNHC5)6S0B!@INmI!@%O zLFSa7^Qxs>Q1Qpi@q+JGgUZE%f^nse#VRjz8sic_%QZTtDAMgRZ+ delta 790 zcmXZZUr1A77{~EvbJP5nwoN-Oo2L?H#q`XC+@!k{Brk=Ez}R$%w2ri$5h-*og1RcK z5p|Oo6+wjv$J+|(A`r5mt1cuM2zC+O6oer7eQe`}&v{>Vp7;4Z=R@jEYGu{$p7)6y zYZW;vBJ&4Cg1Csi_#FH38(zTLkVqUaV;kN>p!)5Hk&v+1jVG{eRiB~;dW~0b9ZgJAyaO-c zVJx+|A^{%C9B8MHaX-GmD6S$)zEsaQv5);9Jc8ZrA}4SJb$<=Du`+6aPss4(E9!+6 zB+K4-4nf3aPWO1QP)GD0YjF#k@i&^dgPJsEhzw#6>O?Xa_KDm?ZR7#*G{{>dw5(w_ z{=fwckm^1@L~Y28(}pGobL^@`@3!%jWEoGv|1l#zxI9QSxXD diff --git a/umap/locale/de/LC_MESSAGES/django.po b/umap/locale/de/LC_MESSAGES/django.po index 85051987..59eb3d62 100644 --- a/umap/locale/de/LC_MESSAGES/django.po +++ b/umap/locale/de/LC_MESSAGES/django.po @@ -3,6 +3,8 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Christopher , 2020 +# Claus Ruedinger , 2020 # Ettore Atalan , 2016 # hno2 , 2013-2014 # Jannis Leidel , 2016 @@ -12,9 +14,9 @@ msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2019-04-07 18:04+0000\n" -"Last-Translator: Klumbumbus\n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2020-11-24 20:26+0000\n" +"Last-Translator: Christopher \n" "Language-Team: German (http://www.transifex.com/openstreetmap/umap/language/de/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -29,7 +31,7 @@ msgid "" "need a stable instance, please use %(stable_url)s. You can also host your own " "instance, it's open source!" -msgstr "Dies ist eine Demo-Instanz und wird für Tests und Vorveröffentlichungen benutzt. Wenn du eine stabile Instanz benötigst, benutze bitte %(stable_url)s. Du kannst auch deine eigene Instanz hosten, uMap ist Open Source!" +msgstr "Dies ist eine Demo-Instanz, die für Tests und Vorveröffentlichungen verwendet wird. Wenn du eine stabile Instanz benötigst, benutze bitte %(stable_url)s. Du kannst auch deine eigene Instanz hosten, uMap ist Open Source!" #: tmp/framacarte/templates/umap/home.html:83 #: tmp/framacarte/templates/umap/navigation.html:14 @@ -51,7 +53,7 @@ msgstr "Einloggen" #: tmp/framacarte/templates/umap/navigation.html:9 #: umap/templates/umap/navigation.html:12 msgid "Sign in" -msgstr "Einloggen" +msgstr "Anmelden" #: tmp/framacarte/templates/umap/navigation.html:12 #: umap/templates/umap/navigation.html:20 @@ -80,11 +82,11 @@ msgstr "Jeder kann bearbeiten" #: umap/forms.py:45 msgid "Only editable with secret edit link" -msgstr "Nur mit geheimen Bearbeitungslink zu bearbeiten" +msgstr "Nur mit geheimem Bearbeitungslink zu bearbeiten" #: umap/middleware.py:14 msgid "Site is readonly for maintenance" -msgstr "DIe Seite ist wegen Wartungsarbeiten im Nur-Lesen-Modus." +msgstr "Die Seite ist wegen Wartungsarbeiten im Nur-Lesen-Modus." #: umap/models.py:17 msgid "name" @@ -180,7 +182,7 @@ msgstr "Einstellungen" #: umap/models.py:210 msgid "Clone of" -msgstr "Duplicat von" +msgstr "Duplikat von" #: umap/models.py:261 msgid "display on load" diff --git a/umap/locale/el/LC_MESSAGES/django.mo b/umap/locale/el/LC_MESSAGES/django.mo index 5aa9ecc5a2c3cf1d86636cef267a781bc9b93089..ad856ba47b86afd401a1ba0afb86c3824492d3b9 100644 GIT binary patch delta 4295 zcmb`Jdu&!`9mh{cS1#*T=>0;=>4j^rlyxvDtb>8#%Kg42;tRZ!7kYudZ*i#0TY6bX zQZVzOZbLRv)J4~e9hA}wYxsj?G4Y(l#6+{WXfm^~Kb&Nlni-v+?|IK#AWY*Q9(dl* zbDrDp{+zzH@z&<(`>Bb&7S9gaT-ucfEbBO|e~=%Z+0!j6AI^aqs)X}l4XlFC!d0*b z7QlC5D*OkTLaehQ^fA6$)m>z8y28JIE4vNGTjI2+c%M7Ry= zfZb4veHBXZQTPb#^2g7?V%~oUbeXLWZo3Fca>AQm_HqFaou|7k&f>pcHxS;h5kF$dGjtMr}I3rqc>P zfhS-Hv!u`;pgi#pC;`a?l=QIDp%lr2QltQCehK8iRqc20p0-*z+LbvTm+MehpMOs zu7%s7&hLfW;BTPLSx5;;;YgGYXIdTpz^kx{_c!4P%p{N!;J}5jgv?X&)$_wy)^kv? zegQ6l--A!W8&JtOjX28Eg>VDh4fn#=VE{(|N@pjXz0{B_>W76e0W-9*7;3|IxB|Wf zm%|U>BZOcswX})%Qi@;6dlJe+Jy7F)P?mlMzXoSASp$#2PZEg#MLGuw*Cff zm_o`*U={ovhM)w7Fl#CA&zD%%xP1dS>7t)iqBD~t-A60ne_ zN7W>6;Y_ch*1(mz|CiCRX-bOt!;S1+EGj8weMNi%DkNohy{o(4e^*$P8(;R{Fc@Kf zZDnAM-4Hk#Yzf<;COcp^hMHPACeU=q4mKVL9R(MvEN|MS>O9H=COqt*s`U zvaY^*X?fN1@}*1dsue4%9xJWlnN=SMN6L4$1e(GPfk<=9N_$_RsVNk;pALkN1{woR zp+mgX9t|}&1R6r&y013|LJbuMn;XsNDSz7U{J@^S=wNG0ORy=jzcn0eSsb?AZugWk z;C8s3&WPJ?J6D`x=eq6myWMm~nRfczQ%nxK?Ur*%qr8kdV@{vtTx9E{+u>Yu1{fGI zKgwKU_RjgXapxsH<6LltoU7i-0b570ZpgXpo^~!f3|w(0oe5`z*6&?V+c8Lk6 zme*NMuiJ*WaWr{HhN3M4gER>qvQeka?eVsu&y+((Y+2;Co2_YOW<^?d($wp!j0(#+ z?~F@-lxvSmyq%U~CeqRqhRj8~z}!x&n5ON6g?VO8`qGjS3F`8cI}^9c(_|D)`sD(* z%cNw^+r#0#_^bnGO|YfYJ?ljey~nU{R300pGl7RkJ!dMm!x$vnbpAb7NWGXHe@-vm z@G=_fNX7LzKT7k6AW3tr-$X(TocoaN7$l%HU2EmGf~Cn87jE5I5#5 z8)o5~e)6j_e5tw^!lZu8W_0NATqF++nS$&M1+i>;n?v75{-CcjM)Z3TY|CDc**CLK znA)7>4^c+U5LxHCIi8bd{$eN2v?v{7+^~;SVKZ7GHr4ti@Tjkb0V)WVc49{t2UqJ+4QpK)+Lmgy>sp9 zr|~|iYC7h&EmPHM^HndDeh%I@q)-m&hEf8U`T6_HzmEsFXYS<30D`^kZhM)ntmH0Y zy)t{!yq;feZs!*~t24UMeM~n*2TF{SrIbHfcvb0LVuPMSl-L9-xf%Yu2g+o%sP2cy`P1A=t|)OXcw0`%37SLS*ky!|J?(Lb*)}g@!PLfB zx%*mkpWLIAIXkaD+UEJa(>)W@##aiz`EF5UCpCvnh?Q}ZID_){1_xul(>C3p%7iOQ zYl6CE$0p0^Q3A7PD0ZU%DY0T72U5|jwL7w|;i_>=k-74re-Dw%nfdXni7@J(MM9si z4OL*W3!j?qyUGL#7bMuGyKw&0#d+P%PWgYF*;};E{H|zaj-oA3j7eMN35F?!Crx^B zo!M1fm8P4W8xkEAydfojydupninDSrkbSJblYM=J-H#anlMuHwpcxD~PQ(cLAfb5(*U OuTP!lXFeEmoAqzXPagjO delta 3679 zcmb`Idu*0h9mh|(3|1^H^hWRJ?Tt(C2m?xCMGA^*hoBqA7`G1FfpNu^i!mX#^s;74 zONPfL8^N)RMP}BuEA_RsP^(!oqbBExE+%F!y3JwKL|up`glP2heV(_4I{);v=lPuH zoadb1{k(sA@cDgRzg@j#*w7Bp^XV@yGUf?bxs(U(-Fu8FfbT&~{Tr6SrOS+|g%xl+ z{30xb&%xDj5~jkRLG6DVT6ha)!<^;D@ZV+Xcy3^#9#+6M_%V16=D`=>8aNGC!M7m) z<_3=(_*ba!mfvek6)c4r@E}B2^EgDN>3}le6qG`z;SS`R^9*84{2FG$+b|8LB^$E@ z#-I);hf=H>O7M2L5j?$$?q03`)TUXkio7{xkZYU86&>rcQZlZ@$v6}*3dR>(4GoZ114U<*78+u=K~8t%rOHLx?m zmtX_$zl6JBYC8U}XK;W3DJut|4thDkn^3NAB%?I{C~SnIa2@;`lp<>gxaQZw&F~03 z0AEPVe+czm9r0p|X@uBf9_nIngh3mOLl3vYKC~%^Gf=Vn07}7S1Xi&v;;{j4h4;h5 zP~TmGviwc>N%#-AAMPMyAA>{i0r(-5L0t_5TG{^$)W#901AhZ0AdlKoo$rM^3BlLl zgS`KM%Ys5NOQ|JvHmOhtmP1*30(QV&xE|hwSJ|J>CGlzAe}!Aot;<*&W$iY&m4z?B zrF`gM3Vc3h%tq!fV_rRc8!CA+sWs(DJ|vuGJycmXKq>q%RIUsp)+Zpkn>QiRFz>@; z)&DI9C}S3vMp<0~6{8xcgPUL#JOoJx(+|&zvI zIo-7KlH|{~=EP_h+)J06w$NpTEdMxtH(hxl3)JL+wRChcmM&MP(A5<8o#7}7E$$9I z*929b_tCp_m#eAl6u(cruVP1f+c1ec?jZzPrLe)rDb}L^L(i-|A z`X;)$l(KBO%S?UN6{hXmSGTRIc2iaD7F)Nee&g1PT3T{*>+us+pX+SxIR4ev6URF1 z?Kh4cY3+FISjW-!*28VKVZm!-duLl)b$h3qNV}0%w(juB&d#=u6OWuc-qyMPxSL*; zTRmy~rC`9vgFZjyr~QcWF9v6V!JyY)WwO`DEssfm-N*fyA9uI2^OCHKtv-FwHq^B4 zj9KF^vN-O)A8sGDd^g38aX%3}?I%1F6ReC2@!;uTfPN;DWZ4s^&$9nDKf~ewT3ws> z-%47P8$qK!Kj|)}*C3qd=MnpDP8spnIO2y=vd_=z)A8`rS)`v~{FEdGgD4er`!RYb z?<1QzN2;Kv+mNx&t<0!g>t}=hyF?p*-e1F@8Romuc+5}AE!Mq~Q5DmtxbE)tDL;z; zCYg=fn00^8s9wxhuB$}eYs{=Gj9b*}5Bg9pRDGd_uBEJKk2Tg0`|SO^%+)rBW-bkpSeqE>>PIQliYF*r8~9rImZa z*i0&J(X2b2m76r|E@YLY%7s%X(N7G|20iYrtb^F{$1*Er8FglF;`!a|M)#NOb&N9C z#QE9w=M-7`YoYd&WK+@gl&*hK8ih$t$mcS>TbVwew-c;j(C_n0 zR&ttFW~l`%b9n`^#bk@yQLu4+<$Nt(3kDHRMn+ESrBI|(SmHrXr8`z&!(Go7G`e3D z*cE4^Y><3+tDw7>xW0mL72ciEe4)lU)xBEyNX|u-xGIpWK>(G=3NM3hOVP%AEfo{0 z;eK3_evfV!vg&A2Vfi^~ctHEOJxCz5RGCn1C^)SPgVoVWHx|osw~F$UMqRdTUc&iP z?s2*x(}`q6BH+tl;aAPbfQ*C#JNi>GIxPI*Ai>~5)nn^ z=&p!-9))B8kLxs4q$*MWDOA4`e}6TMNWZoFKih&yg9z8HN8(+Mc1i*3Ru&IsMVWXN zhlN*eLOJ((ai%NGT5j-Aw^}ue6@$KT8{Vwq~Zg{bdD9ur$1Xn!+m!#kr|?j>}O&kA8Qen_xs4LZJTF z6b{AXxXb;dY-`GMTqDuuwf>@8QND4Peg($m^swl3G~eSiU6LP_c!79NP#3bDixr=n F{{W^K$p8QV diff --git a/umap/locale/el/LC_MESSAGES/django.po b/umap/locale/el/LC_MESSAGES/django.po index fcb060aa..1d063d94 100644 --- a/umap/locale/el/LC_MESSAGES/django.po +++ b/umap/locale/el/LC_MESSAGES/django.po @@ -3,17 +3,18 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# Emmanuel Verigos , 2018 +# Emmanuel Verigos , 2017-2018,2021 # Emmanuel Verigos , 2018 # Emmanuel Verigos , 2017 # prendi , 2017 +# Yannis Kaskamanidis , 2021 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2019-04-07 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2021-07-11 08:06+0000\n" +"Last-Translator: Yannis Kaskamanidis \n" "Language-Team: Greek (http://www.transifex.com/openstreetmap/umap/language/el/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -28,7 +29,7 @@ msgid "" "need a stable instance, please use %(stable_url)s. You can also host your own " "instance, it's open source!" -msgstr "Αυτό η εκδοχή, χρησιμοποιήθηκε για δοκιμή και προκαταρκτικές εκδόσεις. Αν χρειάζεσαι μια σταθερή έκδοση, παρακαλώ χρησιμοποίησε %(stable_url)s. Μπορείς επίσης φιλοξενήσεις την δική σου εκδοχή, είναι ανοικτού κώδικα!" +msgstr "Αυτή είναι μια έκδοση επίδειξης, που χρησιμοποιήθηκε για δοκιμές και προκαταρκτικές εκδόσεις. Αν χρειάζεστε μια σταθερή έκδοση, παρακαλώ χρησιμοποιήστε την %(stable_url)s. Μπορείτε, επίσης, να φιλοξενήσετε τη δική σας έκδοση, είναι ανοικτού κώδικα!" #: tmp/framacarte/templates/umap/home.html:83 #: tmp/framacarte/templates/umap/navigation.html:14 @@ -60,13 +61,13 @@ msgstr "Αποσύνδεση" #: tmp/framacarte/templates/umap/search_bar.html:6 #: umap/templates/umap/search_bar.html:6 msgid "Search maps" -msgstr "Ψάξε χάρτες " +msgstr "Αναζήτηση χαρτών" #: tmp/framacarte/templates/umap/search_bar.html:10 #: tmp/framacarte/templates/umap/search_bar.html:13 #: umap/templates/umap/search_bar.html:9 msgid "Search" -msgstr "Ψάξε " +msgstr "Αναζήτηση" #: umap/forms.py:40 #, python-format @@ -79,39 +80,39 @@ msgstr "Επεξεργασία από όλους" #: umap/forms.py:45 msgid "Only editable with secret edit link" -msgstr "Επεξεργάσιμο μόνο με μυστικό σύνδεσμο " +msgstr "Επεξεργάσιμο μόνο με μυστικό σύνδεσμο" #: umap/middleware.py:14 msgid "Site is readonly for maintenance" -msgstr "Ο δικτυακός τόπος είναι μόνο για ανάγνωση λόγο επεξεργασίας" +msgstr "Λόγω συντήρησης, ο ιστότοπος είναι μόνο για ανάγνωση" #: umap/models.py:17 msgid "name" -msgstr "'Ονομα" +msgstr "Όνομα" #: umap/models.py:48 msgid "details" -msgstr "Λεπτομέρειες " +msgstr "Λεπτομέρειες" #: umap/models.py:49 msgid "Link to a page where the licence is detailed." -msgstr "Σύνδεσμος σελίδας Αναλυτικής Άδειας Χρήσης " +msgstr "Σύνδεσμος σελίδας Αναλυτικής Άδειας Χρήσης." #: umap/models.py:63 msgid "URL template using OSM tile format" -msgstr "URL υπόδειγμα με χρήση μορφή υποβάθρου OSM " +msgstr "URL προτύπου που χρησιμοποιεί μορφοποίηση πλακιδίων OSM" #: umap/models.py:71 msgid "Order of the tilelayers in the edit box" -msgstr "Σειρά υποβάθρων στο πλαίσιο επεξεργασίας " +msgstr "Σειρά των υπόβαθρων στο πλαίσιο επεξεργασίας" #: umap/models.py:116 msgid "Only editors can edit" -msgstr "Μόνο οι συντάκτες μπορούν να επεξεργαστούν" +msgstr "Μόνο οι συντάκτες μπορούν να κάνουν επεξεργασία" #: umap/models.py:117 msgid "Only owner can edit" -msgstr "Μόνο ο ιδιοκτήτης μπορεί να επεξεργαστεί" +msgstr "Μόνο ο ιδιοκτήτης μπορεί να κάνει επεξεργασία" #: umap/models.py:120 msgid "everyone (public)" @@ -119,15 +120,15 @@ msgstr "Όλοι (κοινό)" #: umap/models.py:121 msgid "anyone with link" -msgstr "Οποιοσδήποτε έχει τον σύνδεσμο " +msgstr "Οποιοσδήποτε έχει τον σύνδεσμο" #: umap/models.py:122 msgid "editors only" -msgstr "Συντάκτες μόνο" +msgstr "Μόνο συντάκτες" #: umap/models.py:123 msgid "blocked" -msgstr "" +msgstr "Αποκλεισμένο" #: umap/models.py:126 umap/models.py:256 msgid "description" @@ -139,19 +140,19 @@ msgstr "Κέντρο" #: umap/models.py:128 msgid "zoom" -msgstr "Μεγέθυνση " +msgstr "Εστίαση" #: umap/models.py:129 msgid "locate" -msgstr "Εντοπισμός Θέσης" +msgstr "Εντοπισμός θέσης" #: umap/models.py:129 msgid "Locate user on load?" -msgstr "Εντοπισμός θέσης κατά την φόρτωση ;" +msgstr "Εντοπισμός θέσης χρήστη κατά την φόρτωση;" #: umap/models.py:132 msgid "Choose the map licence." -msgstr "Επιλογή άδειας χρήσης του χάρτη" +msgstr "Επιλογή άδειας χρήσης του χάρτη." #: umap/models.py:133 msgid "licence" @@ -167,11 +168,11 @@ msgstr "Συντάκτες" #: umap/models.py:140 msgid "edit status" -msgstr "Επεξεργασία κατάστασης" +msgstr "Κατάσταση επεξεργασίας" #: umap/models.py:141 msgid "share status" -msgstr "Διαμοιρασμός κατάστασης" +msgstr "Κατάσταση διαμοιρασμού" #: umap/models.py:142 msgid "settings" @@ -179,37 +180,37 @@ msgstr "Ρυθμίσεις" #: umap/models.py:210 msgid "Clone of" -msgstr "Κλωνοποίηση " +msgstr "Κλώνος του" #: umap/models.py:261 msgid "display on load" -msgstr "Εμφάνιση κατά την φόρτωση " +msgstr "Εμφάνιση κατά την φόρτωση" #: umap/models.py:262 msgid "Display this layer on load." -msgstr "Εμφάνισε αυτό το επίπεδο κατά την φόρτωση " +msgstr "Εμφάνιση αυτού του επιπέδου κατά την φόρτωση." #: umap/templates/404.html:7 msgid "Take me to the home page" -msgstr "Επιστροφή στην Αρχική " +msgstr "Επιστροφή στην αρχική σελίδα" #: umap/templates/auth/user_detail.html:7 #, python-format msgid "Browse %(current_user)s's maps" -msgstr "Περιήγηση %(current_user)s χάρτη" +msgstr "Περιήγηση στους χάρτες του χρήστη %(current_user)s" #: umap/templates/auth/user_detail.html:15 #, python-format msgid "%(current_user)s has no maps." -msgstr "%(current_user)s δεν έχει χάρτη" +msgstr "Ο %(current_user)s χρήστης δεν έχει χάρτες" #: umap/templates/registration/login.html:4 msgid "Please log in with your account" -msgstr "Παρακαλώ συνδεθείτε με τον λογαριασμό σας " +msgstr "Παρακαλώ συνδεθείτε με τον λογαριασμό σας" #: umap/templates/registration/login.html:18 msgid "Username" -msgstr "Όνομα Χρήστη " +msgstr "Όνομα χρήστη" #: umap/templates/registration/login.html:20 msgid "Password" @@ -217,63 +218,63 @@ msgstr "Κωδικός πρόσβασης" #: umap/templates/registration/login.html:21 msgid "Login" -msgstr "Σύνδεση " +msgstr "Σύνδεση" #: umap/templates/registration/login.html:27 msgid "Please choose a provider" -msgstr "Παρακαλώ επιλέξτε παροχέα" +msgstr "Παρακαλώ επιλέξτε έναν πάροχο" #: umap/templates/umap/about_summary.html:6 #, python-format msgid "" "uMap lets you create maps with OpenStreetMap " "layers in a minute and embed them in your site." -msgstr "" +msgstr "Το uMap σου επιτρέπει να δημιουργήσεις χάρτες μεOpenStreetMap επίπεδα πολύ γρήγορα και να τα ενσωματώσεις στον ιστότοπο σου." #: umap/templates/umap/about_summary.html:11 msgid "Choose the layers of your map" -msgstr "Διάλεξε το χαρτογραφικό επίπεδο " +msgstr "Επιλέξτε επίπεδα από τον χάρτη σας" #: umap/templates/umap/about_summary.html:12 msgid "Add POIs: markers, lines, polygons..." -msgstr "Πρόσθεσε σημεία ενδιαφέροντος : δείκτες, γραμμές, πολύγωνα..." +msgstr "Προσθήκη σημείων ενδιαφέροντος: δείκτες, γραμμές, πολύγωνα..." #: umap/templates/umap/about_summary.html:13 msgid "Manage POIs colours and icons" -msgstr "Διαχείριση χρωμάτων και συμβόλων σημείων ενδιαφέροντος " +msgstr "Διαχείριση χρωμάτων και συμβόλων των σημείων ενδιαφέροντος" #: umap/templates/umap/about_summary.html:14 msgid "Manage map options: display a minimap, locate user on load…" -msgstr "Διαχείριση επιλογών χάρτη: εμφάνιση χάρτη προσανατολισμού, γεωεντοπισμός χρήστη κατά την φόρτωση " +msgstr "Διαχείριση επιλογών χάρτη: εμφάνιση χάρτη προσανατολισμού, γεωεντοπισμός χρήστη κατά την φόρτωση..." #: umap/templates/umap/about_summary.html:15 msgid "Batch import geostructured data (geojson, gpx, kml, osm...)" -msgstr "Ομαδική εισαγωγή για γεωχωρικά δεδομένα (geojson, gpx, kml, osm...)" +msgstr "Μαζική εισαγωγή δομημένων γεωγραφικών δεδομένων (geojson, gpx, kml, osm...)" #: umap/templates/umap/about_summary.html:16 msgid "Choose the license for your data" -msgstr "Διάλεξε άδεια χρήσης των δεδομένων " +msgstr "Επιλογή άδειας χρήσης των δεδομένων σας" #: umap/templates/umap/about_summary.html:17 msgid "Embed and share your map" -msgstr " Ενσωμάτωσε και μοιράσου τον χάρτη " +msgstr "Ενσωματώστε και διαμοιραστείτε τον χάρτης σας" #: umap/templates/umap/about_summary.html:23 #, python-format msgid "And it's open source!" -msgstr "Και είναι ανοικτού κώδικα ! " +msgstr "Και είναι ανοικτού κώδικα!" #: umap/templates/umap/about_summary.html:35 msgid "Play with the demo" -msgstr "Παίξε με το παράδειγμα " +msgstr "Δοκιμή με την έκδοση επίδειξης" #: umap/templates/umap/home.html:17 msgid "Map of the uMaps" -msgstr "Χάρτης από τους uMaps" +msgstr "Χάρτης των uMaps" #: umap/templates/umap/home.html:24 msgid "Get inspired, browse maps" -msgstr "Εμπνεύσου, περιηγήσου στους χάρτες" +msgstr "Έμπνευση και περιήγηση στους χάρτες" #: umap/templates/umap/login_popup_end.html:2 msgid "You are logged in. Continuing..." @@ -285,7 +286,7 @@ msgstr "Από" #: umap/templates/umap/map_list.html:11 msgid "More" -msgstr "περισσότερα " +msgstr "Περισσότερα" #: umap/templates/umap/navigation.html:14 msgid "About" @@ -293,21 +294,21 @@ msgstr "Σχετικά" #: umap/templates/umap/navigation.html:15 msgid "Feedback" -msgstr "Κρητική" +msgstr "Ανατροφοδότηση" #: umap/templates/umap/navigation.html:18 msgid "Change password" -msgstr "Αλλαγή κωδικού πρόσβασης " +msgstr "Αλλαγή κωδικού πρόσβασης" #: umap/templates/umap/password_change.html:6 msgid "Password change" -msgstr "Κωδικός πρόσβασης αλλαγή" +msgstr "Αλλαγή κωδικού πρόσβασης" #: umap/templates/umap/password_change.html:7 msgid "" "Please enter your old password, for security's sake, and then enter your new" " password twice so we can verify you typed it in correctly." -msgstr "Παρακαλώ εισάγεται τον παλιό κωδικό πρόσβασης, για λόγους ασφαλείας, και μετά εισάγεται τον νέο κωδικό πρόσβασης δύο φορές ώστε να επιβεβαιώσουμε ότι πληκτρολογήθηκε σωστά." +msgstr "Παρακαλώ εισάγετε τον παλιό κωδικό πρόσβασης και μετά εισάγετε τον νέο κωδικό πρόσβασης δύο φορές, ώστε να επιβεβαιωθεί ότι πληκτρολογήθηκε σωστά." #: umap/templates/umap/password_change.html:12 msgid "Old password" @@ -319,23 +320,23 @@ msgstr "Νέος κωδικός πρόσβασης" #: umap/templates/umap/password_change.html:16 msgid "New password confirmation" -msgstr "Νέα επιβεβαίωση κωδικού πρόσβασης" +msgstr "Επιβεβαίωση νέου κωδικού πρόσβασης" #: umap/templates/umap/password_change.html:18 msgid "Change my password" -msgstr "Αλλαγή κωδικού πρόσβασης " +msgstr "Αλλαγή του κωδικού πρόσβασης" #: umap/templates/umap/password_change_done.html:6 msgid "Password change successful" -msgstr "Επιτυχής αλλαγή κωδικού πρόσβασης" +msgstr "Η αλλαγή του κωδικού πρόσβασης ήταν επιτυχημένη" #: umap/templates/umap/password_change_done.html:7 msgid "Your password was changed." -msgstr "Ο κωδικός πρόσβασης άλλαξε " +msgstr "Ο κωδικός πρόσβασης άλλαξε" #: umap/templates/umap/search.html:13 msgid "Not map found." -msgstr "Δεν βρέθηκε χάρτης" +msgstr "Δεν βρέθηκε χάρτης." #: umap/views.py:220 msgid "View the map" @@ -346,35 +347,35 @@ msgstr "Προβολή του χάρτη" msgid "" "Your map has been created! If you want to edit this map from another " "computer, please use this link: %(anonymous_url)s" -msgstr "Ο χάρτης σου δημιουργήθηκε ! Αν επιθυμείς την επεξεργασία αυτού του χάρτη από άλλο υπολογιστή, παρακαλώ χρησιμοποίησε αυτόν τον σύνδεσμο:%(anonymous_url)s" +msgstr "Ο χάρτης σας δημιουργήθηκε! Αν επιθυμείτε να τον επεξεργαστείτε από κάποιον άλλο υπολογιστή, παρακαλώ χρησιμοποιήστε αυτόν τον σύνδεσμο: %(anonymous_url)s" #: umap/views.py:529 msgid "Congratulations, your map has been created!" -msgstr "Συγχαρητήρια, ο χάρτης σου δημιουργήθηκε !" +msgstr "Συγχαρητήρια, ο χάρτης σας δημιουργήθηκε!" #: umap/views.py:561 msgid "Map has been updated!" -msgstr "Ο χάρτης ανανεώθηκε !" +msgstr "Ο χάρτης ενημερώθηκε!" #: umap/views.py:587 msgid "Map editors updated with success!" -msgstr "Ανανέωση συντακτών επιτυχείς !" +msgstr "Η ενημέρωση των συντακτών χάρτη ήταν επιτυχής!" #: umap/views.py:612 msgid "Only its owner can delete the map." -msgstr "Μονό ό ιδιοκτήτης μπορεί να διαγράψει αυτό τον χάρτη. " +msgstr "Μονό ο ιδιοκτήτης μπορεί να διαγράψει αυτό τον χάρτη." #: umap/views.py:637 #, python-format msgid "" "Your map has been cloned! If you want to edit this map from another " "computer, please use this link: %(anonymous_url)s" -msgstr "Ο χάρτης κλωνοποιήθηκε! Αν επιθυμείς την επεξεργασία αυτού του χάρτη από άλλο υπολογιστή, παρακαλώ χρησιμοποίησε αυτόν τον σύνδεσμο:%(anonymous_url)s" +msgstr "Ο χάρτης κλωνοποιήθηκε! Αν θέλετε να τον επεξεργαστείτε από κάποιον άλλο υπολογιστή, παρακαλώ χρησιμοποιήστε αυτόν τον σύνδεσμο: %(anonymous_url)s" #: umap/views.py:642 msgid "Congratulations, your map has been cloned!" -msgstr "Συγχαρητήρια ο χάρτης σου κλωνοποιήθηκε ! " +msgstr "Συγχαρητήρια ο χάρτης σας κλωνοποιήθηκε!" #: umap/views.py:809 msgid "Layer successfully deleted." -msgstr "Επίπεδο διαγράφηκε επιτυχώς." +msgstr "Το επίπεδο διαγράφηκε με επιτυχία." diff --git a/umap/locale/pl/LC_MESSAGES/django.mo b/umap/locale/pl/LC_MESSAGES/django.mo index 4b2945d8fe67128e6beef6835971c49303e1a305..6d7f12c168bb4cc7ec5a33fa4b277358d8d56c8c 100644 GIT binary patch delta 622 zcmXZZJ1oOd6vy$?7pkq4R@I|g;w^vaze$_6TZu#mVv%$qF&ZR7h{VuILM#|fScn)% zW3U)Z77_^|=_s)@Mo}^FJ=*2}xsTl6x##}RQ>Up5yDc9Uk)%(g1#{@YB^<^z9KvJt z;63(Z5eL!cubeZmmiahp-Xw-_5fiwBnsbXz{6IH;`6d59us4fDSZKsqjNt(8q6S@~ z3tvzRy`ct`s_UN^U~b_vGKrhm) z7|51na2<1~=N?hdl~D`+q84xmD;JLA81oEv;U-!wA}44tKg+j@G%eJq! v2H&Ax>;dbsh6m?ecqlpXcfMe4pp}oo6mH*EXx!D-?LMP)qMsOOta23ohiM$d1Js~9 z^x!LMqj%JxN`3wdLyYZw$d)i_gA|V7ICkR-YVI!f;7!OB>8E&M!hyf2H+AqFVGJOb zl@zihIo!em>b?@{zA9=%Yg?^>5B0zqoWLB$a0e|7A{Urod}X$av{1aE22`*QtGJG_ z4v{rH#3;HtMSK`XZIDI%Ws|5cGle#ssjtr>QL==3F%w<5hs~HjqR<, 2016 -# maro21 OSM, 2020 +# maro21 OSM, 2020-2021 # Piotr Strębski , 2020 # Teiron, 2016 # Tomasz Nycz , 2018 @@ -15,8 +15,8 @@ msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2020-02-26 22:30+0000\n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2021-02-08 15:11+0000\n" "Last-Translator: maro21 OSM\n" "Language-Team: Polish (http://www.transifex.com/openstreetmap/umap/language/pl/)\n" "MIME-Version: 1.0\n" @@ -256,7 +256,7 @@ msgstr "Importuj geostrukturalne dane (geojson, gpx, kml, osm...)" #: umap/templates/umap/about_summary.html:16 msgid "Choose the license for your data" -msgstr "Wybierz licencję dla swoich danych" +msgstr "Wybierz licencję swoich danych" #: umap/templates/umap/about_summary.html:17 msgid "Embed and share your map" diff --git a/umap/locale/sv/LC_MESSAGES/django.mo b/umap/locale/sv/LC_MESSAGES/django.mo index 47d4719525b164458e9a40522e02f8e95f13fac1..6d515c1fab555f255906edc0de3256d1edfae330 100644 GIT binary patch delta 1979 zcmYk-Z){Ul7{~EvTQ{K&I!Y&~P%ofkbZqPX!piu!p)eVfu|Xsn%w?26+ibCGK@v@a zvKRu1BxTY0f&>#K5&|!}XiRv4F(g6=B!q+)Ao_x6LPDbPov88qE4PG`J^kE!Ztp$M zInTM>c>5pi*?U3XgwY0wdBjwy*?ZVq&IhgP8MFB~3)R(#uV5QS@hx0|$1#jQVGw`E z0RD}--#^XF!CIVyJ;-0yTs|Xo3}YQmU?u*5FXDBaiw|%XmQ63*Xw~>U=V8?MmSa5* zVhBIN3j7So!A_wj@HHx-bGVZ6?J5Tg=$Pg=tHuac;TrT|Kk5P7P>Jn84LpJ~aop=a ziHkTtje5>yT!?pYHvWf;G5GA`3B)kK_}0zA3pjvUx&&&*hw&5q0$;*~jIJ4VAzjvk z&*4^7f}`kQ8g>5!KEU&+L?&lE9{3{CWtTDQaB!1@4E}`&a39lBLcgL`;t^_qN(##M zun;PdIjBU!sOu5r&zimdF0a22HQ+W>35UG?On~**gFd7~OML`YqoYWkHPGK{i#$|X5V_3MRppdG0BWe?^LcKL_BV*Yi)Ps+qo;!)!j8oW*SMX*02le~~S+43J;@N_F zy*hCn?nK>i2KCxpL)G>^mf^ps5|l74B{lv|&7gS=0*o$j*l~$VRt1)bBw%YJyv_6?Y)FSPp$9 z)c-68`r-xB*3w-^C2$wDYk$K-IGrpG;>V~Ze}qbKF6*p46G82PC~CkK)XH>v=NnMp z@An)kT&MmS4k)i3MkR0(wJE#A$@2yt+;X|`5wg?9ugm$Z%mQ-aZHq~w|p%vOhsHSQvp?(9@sHiO`^lPZS zp{7k(M`&|zBvuhI#I7+Zx ztl#VBXQc4IqEhR+hLdjZg3vD4KJev#u4pX_xci;tZYRAr?qoK(`^Rztf7{HyWZHR` z3%iq<#IA;XxBqte(x&G6XsZ*A#-dGiQJTNk9ZS~_rrgBXsGClvV$P788r|s*jl@&= z?N#$j^9O@XrMVNK^4ZRh-yVpk3eT?}aZ`M`A$KO!QQec+6Hhqmah<*U(rI^Be5@h= IOQ@#ee^A)9lmGw# delta 1874 zcmX}tS!_&k6vy$SD`Tr_X;B7k(VCiRs~hbUMK`UAdO|X2q_h=XEFqahEDu5|b`O2w zL1IZ{9*89xA%vt2O++LF2?-A(DzPNg_cwF-XU_fn@142#znpX1F9in*g0B-}P8zL& zm_l5LGHb=Tu^eb`;>^D#m}hU4Ig3V!E{W*RmfazGcu;Np%$HIav?iS#+&zeKI*opb%GbNvr$ zz&O5C%EqIfmw|eY2erfbW7&V@q?ilZB0uWJO5BBw&JX)=>o9VUN|m3dYGMJ*#Z6d< zr?CY4aTdC$M5QJdS*%r}wtfw&*tcu{mD8hK&;%}`2DpYw!2q%t8$=aN6p7W1Ze$EA zMLoD4_26}=;@gF}cm&h27xn!2j-MUB2kGc_(p?phiMnAc>NV-cXuOEp`pc*Z-9Y91 zA@T@&gT?p_HPIZFtp(Jg7TAJw@gP#)7D6o`c*prcKk~7U9C(He;eJe_;j_x%Zms~htg;TCFWlht$~U(Lnp<)< dZfh+Iok~cH8WsqJ5`9s}e\n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2020-12-04 00:01+0000\n" +"Last-Translator: carlbacker\n" "Language-Team: Swedish (http://www.transifex.com/openstreetmap/umap/language/sv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -250,7 +250,7 @@ msgstr "Importera strukturerad geodata (geojson, gpx, kml, osm...)" #: umap/templates/umap/about_summary.html:16 msgid "Choose the license for your data" -msgstr "Välja licens för dina data" +msgstr "Välj licens för dina data" #: umap/templates/umap/about_summary.html:17 msgid "Embed and share your map" @@ -267,7 +267,7 @@ msgstr "Lek med demotjänsten" #: umap/templates/umap/home.html:17 msgid "Map of the uMaps" -msgstr "" +msgstr "Karta över uMap-kartor." #: umap/templates/umap/home.html:24 msgid "Get inspired, browse maps" @@ -333,7 +333,7 @@ msgstr "Ditt lösenord har ändrats." #: umap/templates/umap/search.html:13 msgid "Not map found." -msgstr "" +msgstr "Ingen karta hittades." #: umap/views.py:220 msgid "View the map" diff --git a/umap/locale/tr/LC_MESSAGES/django.mo b/umap/locale/tr/LC_MESSAGES/django.mo index 25d35bb2281bcbf06716f5a90d1111887660b975..67d250bcd29daef39e9447fe97352c0ad6b2bc64 100644 GIT binary patch delta 3211 zcmcJPTWl0n7=WjMl$*8|D_-jC-^K4~dJDd*>!Wr;gcq#l4UIf2^=fjCpJg3VAI zyBmt(96S#`oUA_yujKs&D0;@=Z1^dh34eogVZ-$C08+3H`^Fk3m%x4~sdJ%3`~Z9e zJ`1mav#~A_t%fWaJ@7)f35tU@R4{~c{viAYz7EBaXU-ird=#=|jKQK}@-dSLo`yT1 zMOfm{mryeCD-;7WC@Ae=TmZ$9Sx_8lg7Uo;@-r4C>#LLXTcH@-45fsbWId`Q|DxzV z79`aVL8;MRNV$yzP!2u~cfpsS>}$d+zlLpTn3lI%~161hqQz7Mv;j`_)fBL0!nv&0`Gu7!cMrJj$&%u4<&*U6a|N&oG(Ku z#oNjE<1mgeSw96OBfr8H*hS;ahs89LtC;MEVrT?PNxp`1t-ejxYq_*cjV>t7*a!DP z4@#uJz=^Pl&J)LGL&;1#6n&duJKPGz;eD{RhWbCnWC08Bai=J!@jVnn6Um$WAzcEW zgiGNQ@C3w`aSz_fHQWhB;p0#;@O<+A3KU1)Oy1vva_%E2c236MssGPRBvli!CbesX z;_;Qqdn=Tt>q^$Up>+G&CM=AaArt$WGq4YkQI;8p9sxJv|NGLaBA+j!cucDKQ^vZ^0fxnTs8D~gd zSMstZ`5@qi#CplA zDXsE)&{R8zOg4l=rn0S!>1Ir21uAQX+Oo}Thtcb0bZDw5Fn#5@%Jy`2Md@_yl4Y(O zMy2xdq2;+jN@cAeZ|eez9m}=&)W-I|o&IXi;gLC0rq|5v^RuFJAhsQ1jkBg7D9epk z%&Zlvw6|-dbE=-ue0#47O$YU{FP1x~`uf)^Ii&_X-_c>|!1V5-xHF^!l{QURWyaH? zdIltXwNtyHgdOV*hX_)35BQ!#o;>3BRmOAjQE2*YDsP)Qh@-|Aw%X(@rLLaGPPgEA zQE*S>+bw~yCCTf!)sj;?W9$EEZ{+>ydu!G%Z13c^SS?(VT6FFFPR6ue9fa*0eeDKh z$n#Um@=Zr=T(xFPPw(2EJJoV|H+@T6dgY))X-D>-`*_W^HC|=d*8`R+=zOJY(=U~> z&%~*e$A;Ao4%mn)RLYg%O4(JOt$m$S*67Qo(z#Ik|JssGb;o8_%DdI*%b3x2h+_0N zmp-oBGDrJXs9nBR%8IJn=Gbs(`ILT#Nm~|dJthWAE%ljgy;eY6VqUtEPgO5bCT^*; z<*Ps!26REIw5|-Z16#(H(W5!rbm@d#WV2Q&XCy{nr6W6XgUD4*w4(HA{kjb*Fp0=D z*^UduJ9@-5!&IzTTAAvKyJ~RsND#M2Ay!@Zvud(b-7#{aez2x<-T0}T4jt`cnD2z) zYaS{)dUUtx+7t!v!U%7&dSp?<7ZVn2qSeQSb(-#t;wI0I9vK^!jcM|3#r{+SDtLaW zzVXK5xFt#FUz4qFs0`ED=_rXooJ^D49H}C0Y0DlYy#?)OHTgZ`6g8Ge1Jkv3bBjlh zh64nPmOt_Xe~t>OT>~$2scP1RB4e?GEF>Gqz~lA z76}n05e<w+BbfnoNj9~_@$Cg0V#&i(% z-Vw~DeLG1-4V=Mz?DKD!C2>0EPf;KGfYa~~7UQJsR0m_I5y!CJOqib`<$pf{>qgucdOE3yW|F=iwB3r4+71b-+bUMF(nbFQTSk0M&sv z=-}Jn`cKqzS)^k$mLqLj1L`|#Q5ic_K>o?9^>RTyzlb{TLoKFz7{xcJ5B)=Rte9Tu zxiZvyF;oVZpzgOIKieK$Z$k~R3+Lb?tiYiJl^Im>c}uCSLhXV$s^KlDwb6rGJXi4y zK0%G7nKX>RR#b-$;Ve9X`d%MK@D8e@@3EYz_=Jqb5``>nH82ge|LaiubPH-%96-Hz z8a2Z6!TEJmgLi}T0n~dhP#+!)?teqZXn#;skV|9gSSfOzu&GqENahDOs!^-6KJ|bt z#|xZqK$eGnMh4&)bx373v5<%n3y4*O8c~Xu6SIjjf>h=5uc#tI|u)-r!xzu1V8w-Ro?9c7K1Xd)!&HN2kXc xkGXr>+LHYR=R)3s=0q5nZ^qdx!u diff --git a/umap/locale/tr/LC_MESSAGES/django.po b/umap/locale/tr/LC_MESSAGES/django.po index dd0d0794..235ecdca 100644 --- a/umap/locale/tr/LC_MESSAGES/django.po +++ b/umap/locale/tr/LC_MESSAGES/django.po @@ -4,14 +4,15 @@ # # Translators: # Emrah Yılmaz , 2020 +# irem TACYILDIZ , 2021 # Roman Neumüller, 2020 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2020-03-22 14:24+0000\n" -"PO-Revision-Date: 2020-08-03 21:35+0000\n" -"Last-Translator: Emrah Yılmaz \n" +"PO-Revision-Date: 2021-01-05 16:24+0000\n" +"Last-Translator: irem TACYILDIZ \n" "Language-Team: Turkish (http://www.transifex.com/openstreetmap/umap/language/tr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -93,15 +94,15 @@ msgstr "ayrıntılar" #: umap/models.py:49 msgid "Link to a page where the licence is detailed." -msgstr "" +msgstr "Lisansın detaylandırıldığı bir sayfaya bağlantı" #: umap/models.py:63 msgid "URL template using OSM tile format" -msgstr "" +msgstr "URL şablonu OSM döşeme biçimini kullanıyor" #: umap/models.py:71 msgid "Order of the tilelayers in the edit box" -msgstr "" +msgstr "Harita katmanları sırası düzenleme kutusunda" #: umap/models.py:116 msgid "Only editors can edit" @@ -145,7 +146,7 @@ msgstr "yerini belirt" #: umap/models.py:129 msgid "Locate user on load?" -msgstr "" +msgstr "Yüklenen kullanıcılar bulunsun mu?" #: umap/models.py:132 msgid "Choose the map licence." @@ -242,11 +243,11 @@ msgstr "Renkleri ve sembolleri yönet" #: umap/templates/umap/about_summary.html:14 msgid "Manage map options: display a minimap, locate user on load…" -msgstr "" +msgstr "Harita seçeneklerini yönet: bir mini harita göster, yükleyen kullanıcıyı göster" #: umap/templates/umap/about_summary.html:15 msgid "Batch import geostructured data (geojson, gpx, kml, osm...)" -msgstr "" +msgstr "Coğrafi yapılandırılmış verileri yığın olarak içe aktar (geojson, gpx, kml, osm...)" #: umap/templates/umap/about_summary.html:16 msgid "Choose the license for your data" @@ -254,7 +255,7 @@ msgstr "Verileriniz için lisansı seçin" #: umap/templates/umap/about_summary.html:17 msgid "Embed and share your map" -msgstr "" +msgstr "Haritanızı yerleştirin ve paylaşın" #: umap/templates/umap/about_summary.html:23 #, python-format @@ -344,7 +345,7 @@ msgstr "Haritayı görüntüle" msgid "" "Your map has been created! If you want to edit this map from another " "computer, please use this link: %(anonymous_url)s" -msgstr "" +msgstr "Haritanız oluşturuldu! Eğer bu haritayı başka bir bilgisayardan düzenlemek isterseniz, lütfen bu bağlantıyı kullanın: %(anonymous_url)s" #: umap/views.py:529 msgid "Congratulations, your map has been created!" @@ -367,11 +368,11 @@ msgstr "Salt haritanın sahibi haritayı silebilir." msgid "" "Your map has been cloned! If you want to edit this map from another " "computer, please use this link: %(anonymous_url)s" -msgstr "" +msgstr "Haritanız çoğaltıldı! Eğer bu haritayı başka bir bilgisayardan düzenlemek isterseniz, lütfen bu bağlantıyı kullanın: %(anonymous_url)s" #: umap/views.py:642 msgid "Congratulations, your map has been cloned!" -msgstr "" +msgstr "Tebrikler, haritanız çoğaltıldı!" #: umap/views.py:809 msgid "Layer successfully deleted." diff --git a/umap/static/umap/locale/bg.js b/umap/static/umap/locale/bg.js index cdc04ea5..dbd9ce4e 100644 --- a/umap/static/umap/locale/bg.js +++ b/umap/static/umap/locale/bg.js @@ -1,7 +1,7 @@ var locale = { "Add symbol": "Добави символ", - "Allow scroll wheel zoom?": "Позволете скрол колело мащабиране?", - "Automatic": "Automatic", + "Allow scroll wheel zoom?": "Мащабиране с колелцето на мишката?", + "Automatic": "Автоматично", "Ball": "топка", "Cancel": "Отмени", "Caption": "Надпис", @@ -14,14 +14,14 @@ var locale = { "Default": "по подразбиране", "Default zoom level": "Default zoom level", "Default: name": "Default: name", - "Display label": "Display label", + "Display label": "Показване на етикет", "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", "Display the data layers control": "Display the data layers control", "Display the embed control": "Display the embed control", - "Display the fullscreen control": "Display the fullscreen control", + "Display the fullscreen control": "Показване управлението за цял екран", "Display the locate control": "Display the locate control", "Display the measure control": "Display the measure control", - "Display the search control": "Display the search control", + "Display the search control": "Показване на търсене", "Display the tile layers control": "Display the tile layers control", "Display the zoom control": "Display the zoom control", "Do you want to display a caption bar?": "Искате ли да се покаже надпис бар?", @@ -30,29 +30,29 @@ var locale = { "Do you want to display popup footer?": "Искате ли да се покаже изскачащ колонтитул?", "Do you want to display the scale control?": "Искате ли да се показва мащаб контрола?", "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Drop", + "Drop": "маркер", "GeoRSS (only link)": "GeoRSS (само за връзка)", "GeoRSS (title + image)": "GeoRSS (заглавие + изображение)", "Heatmap": "Топлинна карта", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", + "Icon shape": "Форма на иконата", + "Icon symbol": "Символ на иконата", "Inherit": "Наследи", - "Label direction": "Label direction", + "Label direction": "Посока на текста на етикета", "Label key": "Label key", "Labels are clickable": "Labels are clickable", "None": "Нищо", - "On the bottom": "On the bottom", - "On the left": "On the left", - "On the right": "On the right", - "On the top": "On the top", + "On the bottom": "Отдолу", + "On the left": "Вляво", + "On the right": "Вдясно", + "On the top": "Отгоре", "Popup content template": "Popup content template", "Set symbol": "Set symbol", "Side panel": "Side panel", - "Simplify": "Simplify", + "Simplify": "Опрости", "Symbol or url": "Symbol or url", "Table": "Table", - "always": "always", - "clear": "clear", + "always": "винаги", + "clear": "изчисти", "collapsed": "collapsed", "color": "цвят", "dash array": "dash array", @@ -66,18 +66,18 @@ var locale = { "iframe": "iframe", "inherit": "наследи", "name": "име", - "never": "never", + "never": "никога", "new window": "new window", "no": "не", - "on hover": "on hover", + "on hover": "при преминаване с мишката", "opacity": "непрозрачност", - "parent window": "parent window", + "parent window": "родителски прозорец", "stroke": "stroke", "weight": "тегло", "yes": "да", - "{delay} seconds": "{delay} seconds", + "{delay} seconds": "{забавяне} сек.", "# one hash for main heading": "# един хеш за главната позиция", - "## two hashes for second heading": "двата хешове за втората таблица", + "## two hashes for second heading": "два хеша за втората таблица", "### three hashes for third heading": "# # # Три хеша за трета позиция", "**double star for bold**": "двойна звезда за удебеление", "*simple star for italic*": "* проста звезда за курсив *", @@ -130,13 +130,13 @@ var locale = { "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordinates", + "Continue line (Ctrl+Click)": "Продължаване на линията (Ctrl+Click)", + "Coordinates": "Координати", "Credits": "приемам като достоверен", "Current view instead of default map view?": "Текущ изглед, вместо по подразбиране вижте карта?", "Custom background": "Потребителски фон", "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", + "Default interaction options": "Интерактивни функции по подразбиране", "Default properties": "По подразбиране свойства", "Default shape properties": "Default shape properties", "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", @@ -201,7 +201,7 @@ var locale = { "Import in a new layer": "Import in a new layer", "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", "Include full screen link?": "Включи пълна връзка на екрана?", - "Interaction options": "Interaction options", + "Interaction options": "Интерактивни функции", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", "Keep current visible layers": "Keep current visible layers", @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "форматиране на текст", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "The zoom and center have been set.", + "The zoom and center have been setted.": "The zoom and center have been setted.", "To use if remote server doesn't allow cross domain (slower)": "За да се използва, ако отдалечен сървър не позволява кръстосан домейн (по-бавно)", "To zoom": "За да увеличите", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/bg.json b/umap/static/umap/locale/bg.json index d00585ae..238abc08 100644 --- a/umap/static/umap/locale/bg.json +++ b/umap/static/umap/locale/bg.json @@ -1,7 +1,7 @@ { "Add symbol": "Добави символ", - "Allow scroll wheel zoom?": "Позволете скрол колело мащабиране?", - "Automatic": "Automatic", + "Allow scroll wheel zoom?": "Мащабиране с колелцето на мишката?", + "Automatic": "Автоматично", "Ball": "топка", "Cancel": "Отмени", "Caption": "Надпис", @@ -14,14 +14,14 @@ "Default": "по подразбиране", "Default zoom level": "Default zoom level", "Default: name": "Default: name", - "Display label": "Display label", + "Display label": "Показване на етикет", "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", "Display the data layers control": "Display the data layers control", "Display the embed control": "Display the embed control", - "Display the fullscreen control": "Display the fullscreen control", + "Display the fullscreen control": "Показване управлението за цял екран", "Display the locate control": "Display the locate control", "Display the measure control": "Display the measure control", - "Display the search control": "Display the search control", + "Display the search control": "Показване на търсене", "Display the tile layers control": "Display the tile layers control", "Display the zoom control": "Display the zoom control", "Do you want to display a caption bar?": "Искате ли да се покаже надпис бар?", @@ -30,29 +30,29 @@ "Do you want to display popup footer?": "Искате ли да се покаже изскачащ колонтитул?", "Do you want to display the scale control?": "Искате ли да се показва мащаб контрола?", "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Drop", + "Drop": "маркер", "GeoRSS (only link)": "GeoRSS (само за връзка)", "GeoRSS (title + image)": "GeoRSS (заглавие + изображение)", "Heatmap": "Топлинна карта", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", + "Icon shape": "Форма на иконата", + "Icon symbol": "Символ на иконата", "Inherit": "Наследи", - "Label direction": "Label direction", + "Label direction": "Посока на текста на етикета", "Label key": "Label key", "Labels are clickable": "Labels are clickable", "None": "Нищо", - "On the bottom": "On the bottom", - "On the left": "On the left", - "On the right": "On the right", - "On the top": "On the top", + "On the bottom": "Отдолу", + "On the left": "Вляво", + "On the right": "Вдясно", + "On the top": "Отгоре", "Popup content template": "Popup content template", "Set symbol": "Set symbol", "Side panel": "Side panel", - "Simplify": "Simplify", + "Simplify": "Опрости", "Symbol or url": "Symbol or url", "Table": "Table", - "always": "always", - "clear": "clear", + "always": "винаги", + "clear": "изчисти", "collapsed": "collapsed", "color": "цвят", "dash array": "dash array", @@ -66,18 +66,18 @@ "iframe": "iframe", "inherit": "наследи", "name": "име", - "never": "never", + "never": "никога", "new window": "new window", "no": "не", - "on hover": "on hover", + "on hover": "при преминаване с мишката", "opacity": "непрозрачност", - "parent window": "parent window", + "parent window": "родителски прозорец", "stroke": "stroke", "weight": "тегло", "yes": "да", - "{delay} seconds": "{delay} seconds", + "{delay} seconds": "{забавяне} сек.", "# one hash for main heading": "# един хеш за главната позиция", - "## two hashes for second heading": "двата хешове за втората таблица", + "## two hashes for second heading": "два хеша за втората таблица", "### three hashes for third heading": "# # # Три хеша за трета позиция", "**double star for bold**": "двойна звезда за удебеление", "*simple star for italic*": "* проста звезда за курсив *", @@ -130,13 +130,13 @@ "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordinates", + "Continue line (Ctrl+Click)": "Продължаване на линията (Ctrl+Click)", + "Coordinates": "Координати", "Credits": "приемам като достоверен", "Current view instead of default map view?": "Текущ изглед, вместо по подразбиране вижте карта?", "Custom background": "Потребителски фон", "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", + "Default interaction options": "Интерактивни функции по подразбиране", "Default properties": "По подразбиране свойства", "Default shape properties": "Default shape properties", "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", @@ -201,7 +201,7 @@ "Import in a new layer": "Import in a new layer", "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", "Include full screen link?": "Включи пълна връзка на екрана?", - "Interaction options": "Interaction options", + "Interaction options": "Интерактивни функции", "Invalid umap data": "Invalid umap data", "Invalid umap data in {filename}": "Invalid umap data in {filename}", "Keep current visible layers": "Keep current visible layers", @@ -284,7 +284,7 @@ "Text color for the cluster label": "Text color for the cluster label", "Text formatting": "форматиране на текст", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "The zoom and center have been set.", + "The zoom and center have been setted.": "The zoom and center have been setted.", "To use if remote server doesn't allow cross domain (slower)": "За да се използва, ако отдалечен сървър не позволява кръстосан домейн (по-бавно)", "To zoom": "За да увеличите", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", diff --git a/umap/static/umap/locale/el.js b/umap/static/umap/locale/el.js index 919f8624..d776f1ba 100644 --- a/umap/static/umap/locale/el.js +++ b/umap/static/umap/locale/el.js @@ -1,377 +1,376 @@ var locale = { - "Add symbol": "Προσθήκη συμβόλου ", - "Allow scroll wheel zoom?": "Επέτρεψε ζουμ κύλισης", + "Add symbol": "Προσθήκη συμβόλου", + "Allow scroll wheel zoom?": "Επιτρέπεται κύλιση εστίασης", "Automatic": "Αυτόματα", "Ball": "Καρφίτσα", - "Cancel": "Άκυρο ", - "Caption": "Υπόμνημα", - "Change symbol": "Αλλαγή συμβόλου ", - "Choose the data format": "Επιλογή μορφής για δεδομένα", + "Cancel": "Άκυρο", + "Caption": "Λεζάντα", + "Change symbol": "Αλλαγή συμβόλου", + "Choose the data format": "Επιλογή μορφοποίησης δεδομένων", "Choose the layer of the feature": "Επιλέξτε το επίπεδο του στοιχείου", - "Circle": "Κύκλος ", + "Circle": "Κύκλος", "Clustered": "Σύμπλεγμα", - "Data browser": "Δεδομένα Περιήγησης ", - "Default": "Προεπιλογή ", + "Data browser": "Περιηγητής δεδομένων", + "Default": "Προεπιλογή", "Default zoom level": "Προεπιλεγμένο επίπεδο μεγέθυνσης", - "Default: name": "Προεπιλογή: 'Ονομα", + "Default: name": "Προεπιλογή: Όνομα", "Display label": "Εμφάνιση ετικέτας", "Display the control to open OpenStreetMap editor": "Εμφάνιση εικονιδίου επεξεργασίας OpenStreetMap", - "Display the data layers control": "Εμφάνιση εικονιδίου δεδομένα επίπεδων ", + "Display the data layers control": "Εμφάνιση εικονιδίου επιπέδων με δεδομένα", "Display the embed control": "Εμφάνιση εικονιδίου διαμοιρασμού", - "Display the fullscreen control": "Εμφάνιση εικονιδίου πλήρους οθόνης ", - "Display the locate control": "Εμφάνιση εικονιδίου γεωεντοπισμού ", + "Display the fullscreen control": "Εμφάνιση εικονιδίου πλήρους οθόνης", + "Display the locate control": "Εμφάνιση εικονιδίου γεωεντοπισμού", "Display the measure control": "Εμφάνιση εικονιδίου μέτρησης", "Display the search control": "Εμφάνιση εικονιδίου αναζήτησης", "Display the tile layers control": "Εμφάνιση εικονιδίου αλλαγής υποβάθρων", - "Display the zoom control": "Εμφάνιση εικονιδίου μεγέθυνσης/σμίκρυνσης ", - "Do you want to display a caption bar?": "Θα επιθυμούσες την εμφάνιση Λεζάντας ;", - "Do you want to display a minimap?": "Επιθυμείτε την εμφάνιση χάρτη υπομνήματος ;", - "Do you want to display a panel on load?": "Θα επιθυμούσες την εμφάνιση πινακίδας κατά την φόρτωση ;", - "Do you want to display popup footer?": "Επιθυμείτε την εμφάνιση αναδυόμενης βάσης ;", - "Do you want to display the scale control?": "Επιθυμείτε την εμφάνιση κλίμακας ;", - "Do you want to display the «more» control?": "Επιθυμείτε την εμφάνιση \"περισσότερων\" επιλογών;", - "Drop": "Ρίψη ", + "Display the zoom control": "Εμφάνιση εικονιδίου εστίασης", + "Do you want to display a caption bar?": "Εμφάνιση λεζάντας", + "Do you want to display a minimap?": "Εμφάνιση χάρτη προσανατολισμού", + "Do you want to display a panel on load?": "Εμφάνιση καρτέλας κατά την φόρτωση", + "Do you want to display popup footer?": "Εμφάνιση αναδυόμενου υποσέλιδου", + "Do you want to display the scale control?": "Εμφάνιση κλίμακας", + "Do you want to display the «more» control?": "Εμφάνιση «περισσότερων» επιλογών", + "Drop": "Σταγόνα", "GeoRSS (only link)": "GeoRSS (μόνο σύνδεσμος)", "GeoRSS (title + image)": "GeoRSS (τίτλος + εικόνα)", "Heatmap": "Χάρτης εγγύτητας", - "Icon shape": "Μορφή σύμβολο", - "Icon symbol": "Εικόνα σύμβολο", - "Inherit": "Μεταβίβαση", - "Label direction": "Κατεύθυνση ετικέτας ", - "Label key": "Κλειδί ετικέτας ", - "Labels are clickable": "Η ετικέτα έχει σύνδεσμο ", + "Icon shape": "Μορφή εικονιδίου", + "Icon symbol": "Σύμβολο εικονιδίου", + "Inherit": "Κληρονομημένο", + "Label direction": "Κατεύθυνση ετικέτας", + "Label key": "Κλειδί ετικέτας", + "Labels are clickable": "Οι ετικέτες είναι ενεργές", "None": "Κανένα", "On the bottom": "Στο κάτω μέρος", "On the left": "Στο αριστερό μέρος", "On the right": "Στο δεξί μέρος", "On the top": "Στο πάνω μέρος", - "Popup content template": "Αναδυόμενο παράθυρο περιεχομένου ", + "Popup content template": "Αναδυόμενο πρότυπο περιεχομένου", "Set symbol": "Ορισμός συμβόλου", - "Side panel": "Πλευρικός πίνακας", - "Simplify": "Απλοποίησε", + "Side panel": "Πλευρική εργαλειοθήκη", + "Simplify": "Απλοποίηση", "Symbol or url": "Σύμβολο ή σύνδεσμος", "Table": "Πίνακας", "always": "πάντα", "clear": "Εκκαθάριση", - "collapsed": "Κατέρρευσε ", - "color": "Χρώμα ", - "dash array": "Διάνυσμα σειράς", - "define": "Όρισε ", + "collapsed": "Κατέρρευσε", + "color": "Χρώμα", + "dash array": "Διάταξη παύλας", + "define": "Ορισμός", "description": "Περιγραφή", - "expanded": "Ανεπτυγμένος", - "fill": "Γέμισμα ", - "fill color": "Χρώμα Γεμίσματος", - "fill opacity": "Αδιαφάνεια Γεμίσματος", + "expanded": "Αναπτυγμένος", + "fill": "Γέμισμα", + "fill color": "Χρώμα γεμίσματος", + "fill opacity": "Αδιαφάνεια γεμίσματος", "hidden": "Απόκρυψη", - "iframe": "Παράθυρο εξωτερικού συνδέσμου", - "inherit": "Μετάβαση", + "iframe": "iframe", + "inherit": "Κληρονομημένο", "name": "Όνομα", "never": "Ποτέ", "new window": "Νέο Παράθυρο", "no": "όχι", - "on hover": "Με κατάδειξη", + "on hover": "Με αιώρηση", "opacity": "Αδιαφάνεια", - "parent window": "Συγγενές παράθυρο ", - "stroke": "Πινέλο ", + "parent window": "Γονικό παράθυρο", + "stroke": "Πινέλο", "weight": "Βάρος", "yes": "ναι", - "{delay} seconds": "{καθυστέρηση} δευτερόλεπτα", - "# one hash for main heading": "# ένα hash για τίτλο ", - "## two hashes for second heading": "## δύο hash για επικεφαλίδα", - "### three hashes for third heading": "### τρία hash για κεφαλίδα ", - "**double star for bold**": "**διπλό αστερίσκο για έντονη**", + "{delay} seconds": "{delay} δευτερόλεπτα", + "# one hash for main heading": "# για επικεφαλίδα πρώτου επιπέδου", + "## two hashes for second heading": "## για επικεφαλίδα δευτέρου επιπέδου", + "### three hashes for third heading": "### για επικεφαλίδα τρίτου επιπέδου", + "**double star for bold**": "**διπλό αστερίσκο για έντονα**", "*simple star for italic*": "*μονό αστερίσκο για πλάγια*", - "--- for an horizontal rule": "---για οριζόντιο διαχωριστικό ", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Το κόμμα χωρίζει λίστα αριθμών που ορίζονται από ένα διανυσματικό σύνολο πχ.: \"5, 10, 15\".", + "--- for an horizontal rule": "--- για οριζόντιο διαχωριστικό", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Μια λίστα αριθμών διαχωρισμένων με κόμμα που καθορίζει το μοτίβο της παύλας. Π.χ.: \"5, 10, 15\".", "About": "Σχετικά", "Action not allowed :(": "Μη επιτρεπόμενη ενέργεια :(", - "Activate slideshow mode": "Ενεργοποίηση διαφανειών παρουσίασης ", + "Activate slideshow mode": "Ενεργοποίηση λειτουργίας παρουσίασης", "Add a layer": "Προσθήκη επιπέδου", - "Add a line to the current multi": "Προσθήκη γραμμής στο παρόν πολυδεδομένο ", + "Add a line to the current multi": "Προσθήκη γραμμής στο παρόν πολυδεδομένο", "Add a new property": "Προσθήκη νέας ιδιότητας", - "Add a polygon to the current multi": "Προσθήκη πολυγώνου στο παρόν πολυδεδομένο ", - "Advanced actions": "Εξειδικευμένες ενέργειες ", - "Advanced properties": "Εξειδικευμένες ιδιότητες ", - "Advanced transition": "Προχωρημένος μετασχηματισμός ", - "All properties are imported.": "Εισήχθησαν όλες οι ιδιότητες", - "Allow interactions": "Επέτρεψε αλληλεπιδράσεις ", - "An error occured": "Παρουσιάστηκε σφάλμα ", - "Are you sure you want to cancel your changes?": "Είστε βέβαιος για το ότι θέλετε να ακυρώσετε τις αλλαγές σας;", - "Are you sure you want to clone this map and all its datalayers?": "Είστε βέβαιος ότι θέλετε να κλωνοποιηθεί αυτός ο χάρτης και όλα τα επίπεδα δεδομένων του;", - "Are you sure you want to delete the feature?": "Είστε βέβαιος ότι θέλετε να διαγράφει αυτό το στοιχείο;", - "Are you sure you want to delete this layer?": "Είσαι σίγουρος για την διαγραφή αυτού του επιπέδου;", - "Are you sure you want to delete this map?": "Είστε βέβαιος ότι θέλετε να διαγραφεί αυτός ο χάρτης ;", - "Are you sure you want to delete this property on all the features?": "Είσαι σίγουρος για την διαγραφή αυτής της ιδιότητας από όλα τα στοιχεία; ", - "Are you sure you want to restore this version?": "Είσαι σίγουρος για την επαναφορά αυτής της εκδοχής ;", - "Attach the map to my account": "Επισύναψη αυτού του χάρτη στο λογαριασμό μου", + "Add a polygon to the current multi": "Προσθήκη πολυγώνου στο παρόν πολυδεδομένο", + "Advanced actions": "Εξειδικευμένες ενέργειες", + "Advanced properties": "Εξειδικευμένες ιδιότητες", + "Advanced transition": "Εξειδικευμένη μετάβαση", + "All properties are imported.": "Όλες οι ιδιότητες έχουν εισαχθεί", + "Allow interactions": "Επιτρέπονται αλληλεπιδράσεις", + "An error occured": "Παρουσιάστηκε σφάλμα", + "Are you sure you want to cancel your changes?": "Θέλετε σίγουρα να ακυρώσετε τις αλλαγές σας;", + "Are you sure you want to clone this map and all its datalayers?": "Θέλετε σίγουρα να κλωνοποιηθεί αυτός ο χάρτης και όλα τα επίπεδα δεδομένων του;", + "Are you sure you want to delete the feature?": "Θέλετε σίγουρα να διαγράφει αυτό το στοιχείο;", + "Are you sure you want to delete this layer?": "Θέλετε σίγουρα να διαγράφει αυτό το επιπέδο;", + "Are you sure you want to delete this map?": "Θέλετε σίγουρα να διαγράφει αυτός ο χάρτης;", + "Are you sure you want to delete this property on all the features?": "Θέλετε σίγουρα να διαγράφει αυτή η ιδιότητα από όλα τα στοιχεία;", + "Are you sure you want to restore this version?": "Θέλετε σίγουρα να γίνει επαναφορά αυτής της έκδοσης;", + "Attach the map to my account": "Σύνδεση του χάρτη με τον λογαριασμό μου", "Auto": "Αυτόματα", - "Autostart when map is loaded": "Αυτόματη έναρξη με την φόρτωση του χάρτη ", - "Bring feature to center": "Κέντραρε το στοιχείο", - "Browse data": "Περιήγηση δεδομένων ", - "Cancel edits": "Ακύρωση επεξεργασίας ", - "Center map on your location": "Κέντραρε τον χάρτη στη θέση σου ", - "Change map background": "Αλλαγή χαρτογραφικού υποβάθρου ", - "Change tilelayers": "Αλλαγή επιπέδου ", - "Choose a preset": "Επιλογή τρέχοντος", - "Choose the format of the data to import": "Επιλέξτε τη μορφή των δεδομένων για εισαγωγή", - "Choose the layer to import in": "Επιλέξτε το επίπεδο που θα γίνει η εισαγωγή ", - "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για την εισαγωγή του σχήματος", - "Click to add a marker": "Πατήστε για την εισαγωγή συμβόλου ", - "Click to continue drawing": "Πατήστε για συνέχεια σχεδίου", + "Autostart when map is loaded": "Αυτόματη έναρξη με την φόρτωση του χάρτη", + "Bring feature to center": "Κεντράρισμα του στοιχείου", + "Browse data": "Περιήγηση δεδομένων", + "Cancel edits": "Ακύρωση επεξεργασίας", + "Center map on your location": "Κεντράρισμα του χάρτη στην τοποθεσία σας", + "Change map background": "Αλλαγή υποβάθρου του χάρτη", + "Change tilelayers": "Αλλαγή χαρτογραφικού υπόβαθρου", + "Choose a preset": "Επιλογή προκαθορισμένου", + "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", + "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", + "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", + "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", + "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", - "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου ", + "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", "Clone": "Κλωνοποίηση", - "Clone of {name}": "Κλωνοποίηση του {ονόματος}", + "Clone of {name}": "Κλωνοποίηση του {name}", "Clone this feature": "Κλωνοποίηση αυτού του στοιχείου", "Clone this map": "Κλωνοποίηση αυτού του χάρτη", - "Close": "Κλείσιμο ", + "Close": "Κλείσιμο", "Clustering radius": "Ακτίνα συμπλέγματος", - "Comma separated list of properties to use when filtering features": "Διαχωρίστε με κόμμα την λίστα ιδιοτήτων για το φιλτράρισμα των στοιχείων ", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Οι τιμές που χωρίζονται με κόμματα, tab ή χρώματα. SRS WGS84 υπονοείται. Εισάγονται μόνο γεωμετρίες σημείων. Η εισαγωγή θα εξετάσει τις κεφαλίδες στηλών -Headers- για οποιαδήποτε αναφορά «lat» και «lon» στην αρχή της κεφαλίδας, που δεν είναι ευαίσθητες -case insensitive- . Όλες οι άλλες στήλες εισάγονται ως ιδιότητες.", - "Continue line": "Συνέχεια γραμμής ", + "Comma separated list of properties to use when filtering features": "Λίστα ιδιοτήτων διαχωρισμένων με κόμμα για χρήση κατά το φιλτράρισμα των στοιχείων", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Τιμές διαχωρισμένες με κόμμα, tab ή άνω τελεία. Εννοείται και η μορφή SRS WGS84. Εισάγονται μόνο γεωμετρίες σημείων. Η διαδικασία εισαγωγής ελέγχει τις επικεφαλίδες των στηλών για τις ενδείξεις «lat» και «lon» στην αρχή της επικεφαλίδας και κάνει διάκριση πεζών - κεφαλαίων γραμμάτων. Όλες οι άλλες στήλες εισάγονται ως ιδιότητες. ", + "Continue line": "Συνέχεια γραμμής", "Continue line (Ctrl+Click)": "Συνέχεια γραμμής (Ctrl+Click)", - "Coordinates": "Συντεταγμένες ", - "Credits": "Πιστώσεις ", - "Current view instead of default map view?": "Αυτή τη προβολή χάρτη αντί της προ επιλεγμένης ", + "Coordinates": "Συντεταγμένες", + "Credits": "Εύσημα", + "Current view instead of default map view?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", "Custom background": "Προσαρμοσμένο υπόβαθρο", - "Data is browsable": "Τα δεδομένα είναι περιήγησιμα ", + "Data is browsable": "Τα δεδομένα είναι περιήγησιμα", "Default interaction options": "Προεπιλεγμένες επιλογές αλληλεπίδρασης", "Default properties": "Προεπιλεγμένες ιδιότητες", - "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων ", - "Define link to open in a new window on polygon click.": "Προσδιορισμός συνδέσμου για άνοιγμα νέου παραθύρου με κλικ στο πολύγονο ", - "Delay between two transitions when in play mode": "Καθυστέρηση μεταξύ δύο εναλλαγών κατά την παρουσίαση ", - "Delete": "Διαγραφή ", + "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων", + "Define link to open in a new window on polygon click.": "Προσδιορισμός συνδέσμου για άνοιγμα σε νέο παράθυρο με κλικ στο πολύγωνο", + "Delay between two transitions when in play mode": "Καθυστέρηση μεταξύ μεταβάσεων κατά την παρουσίαση", + "Delete": "Διαγραφή", "Delete all layers": "Διαγραφή όλων των επιπέδων", "Delete layer": "Διαγραφή επιπέδου", - "Delete this feature": "Διαγραφή αυτού του στοιχείου ", + "Delete this feature": "Διαγραφή αυτού του στοιχείου", "Delete this property on all the features": "Διαγραφή αυτής της ιδιότητας από όλα τα στοιχεία", "Delete this shape": "Διαγραφή σχήματος", "Delete this vertex (Alt+Click)": "Διαγραφή αυτής της κορυφής (Alt+Click)", - "Directions from here": "Διαδρομή από εδώ", - "Disable editing": "Απενεργοποίηση επεξεργασίας ", - "Display measure": "Εμφάνιση μέτρου ", - "Display on load": "Εμφάνιση κατά την φόρτωση ", + "Directions from here": "Κατευθύνσεις από εδώ", + "Disable editing": "Απενεργοποίηση επεξεργασίας", + "Display measure": "Εμφάνιση μέτρησης", + "Display on load": "Εμφάνιση κατά την φόρτωση", "Download": "Λήψη", "Download data": "Λήψη δεδομένων", - "Drag to reorder": "Σύρατε για αναδιάταξη", - "Draw a line": "Σχεδιασμός γραμμής ", - "Draw a marker": "Σχεδιασμός σημείου ", - "Draw a polygon": "Σχεδιασμός πολυγώνου ", - "Draw a polyline": "Σχεδιασμός σύνθετης γραμμής ", - "Dynamic": "Δυναμική ", - "Dynamic properties": "Δυναμικές ιδιότητες ", - "Edit": "Επεξεργασία ", - "Edit feature's layer": "Επεξεργασία στοιχείων επιπέδου", - "Edit map properties": "Επεξεργασία ιδιοτήτων χάρτη ", + "Drag to reorder": "Σύρετε για αναδιάταξη", + "Draw a line": "Σχεδιασμός γραμμής", + "Draw a marker": "Σχεδιασμός σημείου", + "Draw a polygon": "Σχεδιασμός πολυγώνου", + "Draw a polyline": "Σχεδιασμός σύνθετης γραμμής", + "Dynamic": "Δυναμική", + "Dynamic properties": "Δυναμικές ιδιότητες", + "Edit": "Επεξεργασία", + "Edit feature's layer": "Επεξεργασία επιπέδου του στοιχείου", + "Edit map properties": "Επεξεργασία ιδιοτήτων χάρτη", "Edit map settings": "Επεξεργασία ρυθμίσεων χάρτη", - "Edit properties in a table": "Επεξεργασία ιδιοτήτων πίνακα", - "Edit this feature": "Επεξεργασία του στοιχείου ", + "Edit properties in a table": "Επεξεργασία ιδιοτήτων σε πίνακα", + "Edit this feature": "Επεξεργασία αυτού του στοιχείου", "Editing": "Επεξεργασία", - "Embed and share this map": "Ένθεση και διαμοιρασμός του χάρτη ", - "Embed the map": "Ένθεση του χάρτη ", - "Empty": "Άδειασμα ", - "Enable editing": "Ενεργοποίηση επεξεργασίας ", - "Error in the tilelayer URL": "Σφάλμα συνδέσμου υποβάθρου ", - "Error while fetching {url}": "Σφάλμα ανάκτησης {url}", - "Exit Fullscreen": "Έξοδος πλήρους οθόνης ", + "Embed and share this map": "Ένθεση και διαμοιρασμός του χάρτη", + "Embed the map": "Ένθεση του χάρτη", + "Empty": "Κενό", + "Enable editing": "Ενεργοποίηση επεξεργασίας", + "Error in the tilelayer URL": "Σφάλμα συνδέσμου υποβάθρου", + "Error while fetching {url}": "Σφάλμα κατά την ανάκτηση {url}", + "Exit Fullscreen": "Κλείσιμο πλήρους οθόνης", "Extract shape to separate feature": "Εξαγωγή σχήματος σε ξεχωριστό στοιχείο", - "Fetch data each time map view changes.": "Ανάκτηση για δεδομένα σε όλες τις αλλαγές του χάρτη ", + "Fetch data each time map view changes.": "Ανάκτηση δεδομένων κάθε φορά που αλλάζει η προβολή του χάρτη", "Filter keys": "Βασικά φίλτρα", "Filter…": "Φίλτρα", - "Format": "Μορφή", - "From zoom": "Από μεγέθυνση ", + "Format": "Μορφοποίηση", + "From zoom": "Από εστίαση", "Full map data": "Ολοκληρωμένα δεδομένα χάρτη", - "Go to «{feature}»": "πήγαινε στο «{στοιχείο}»", - "Heatmap intensity property": "Ένταση χαρακτηριστικών χάρτης εγγύτητας ", - "Heatmap radius": "Ακτίνα χάρτης εγγύτητας ", + "Go to «{feature}»": "Μετάβαση στο «{feature}»", + "Heatmap intensity property": "Ένταση του χάρτη εγγύτητας", + "Heatmap radius": "Ακτίνα του χάρτη εγγύτητας", "Help": "Βοήθεια", - "Hide controls": "Απόκρυψη εργαλείων ελέγχου ", + "Hide controls": "Απόκρυψη εργαλείων ελέγχου", "Home": "Αρχική", - "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Πόσο απλοποιείται η συνθέτη γραμμή σε κάθε επίπεδο μεγέθυνσης (περισσότερο = ταχύτερη εκτέλεση και γενικότερη αποτύπωση, λιγότερο = περισσότερη ακρίβεια)", - "If false, the polygon will act as a part of the underlying map.": "Αν ψευδείς, το πολύγονο θα λειτουργήσει σαν μέρος του υποκείμενου χάρτη.", - "Iframe export options": "iframe παράμετροι εξαγωγής", - "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe με προσαρμοσμένο ύψος (in px): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe με προσαρμοσμένο ύψος και πλάτος (in px): {{{http://iframe.url.com|height*width}}}", + "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Πόσο απλοποιείται η συνθέτη γραμμή σε κάθε επίπεδο εστίασης (περισσότερο = καλύτερη απόδοση και ομαλότερη εμφάνιση, λιγότερο = περισσότερη ακρίβεια)", + "If false, the polygon will act as a part of the underlying map.": "Αν είναι απενεργοποιημένο, το πολύγωνο θα συμπεριφέρεται ως μέρος του υποκείμενου χάρτη.", + "Iframe export options": "Παράμετροι εξαγωγής iframe", + "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe με προσαρμοσμένο ύψος (σε px): {{{http://iframe.url.com|height}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe με προσαρμοσμένο ύψος και πλάτος (σε px): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", - "Image with custom width (in px): {{http://image.url.com|width}}": "Εικόνα με προσαρμοσμένο πλάτος (in px): {{http://image.url.com|width}}", + "Image with custom width (in px): {{http://image.url.com|width}}": "Εικόνα με προσαρμοσμένο πλάτος (σε px): {{http://image.url.com|width}}", "Image: {{http://image.url.com}}": "Εικόνα: {{http://image.url.com}}", - "Import": "Εισαγωγή ", - "Import data": "Εισαγωγή δεδομένων ", - "Import in a new layer": "Εισαγωγή σε νέο επίπεδο", - "Imports all umap data, including layers and settings.": "Εισάγει όλα τα δεδομένα, συμπεριλαμβανομένων επιπέδων και ρυθμίσεων.", - "Include full screen link?": "Να περιληφθεί σύνδεσμος πλήρους παραθύρου;", - "Interaction options": "Επιλογές διάδρασης ", - "Invalid umap data": "Μη έγκυρα δεδομένα umap ", - "Invalid umap data in {filename}": "Μη έγκυρα δεδομένα σε {filename}", - "Keep current visible layers": "Διατήρηση τρεχουσών ορατών επιπέδων ", + "Import": "Εισαγωγή", + "Import data": "Εισαγωγή δεδομένων", + "Import in a new layer": "Εισαγωγή σε νέο επίπεδο", + "Imports all umap data, including layers and settings.": "Εισάγει όλα τα δεδομένα umap, μαζί με τα επίπεδα και τις ρυθμίσεις.", + "Include full screen link?": "Συμπερίληψη συνδέσμου πλήρους οθόνης;", + "Interaction options": "Επιλογές αλληλεπίδρασης", + "Invalid umap data": "Μη έγκυρα δεδομένα umap", + "Invalid umap data in {filename}": "Μη έγκυρα δεδομένα στο αρχείο {filename}", + "Keep current visible layers": "Διατήρηση τρεχουσών ορατών επιπέδων", "Latitude": "Γεωγραφικό πλάτος", "Layer": "Επίπεδο", "Layer properties": "Ιδιότητες επιπέδου", "Licence": "Άδεια", "Limit bounds": "Περιορισμός ορίων", "Link to…": "Σύνδεση με ...", - "Link with text: [[http://example.com|text of the link]]": "Σύνδεση με κείμενο:[[http://example.com|text of the link]]", - "Long credits": "Αναλυτικές Πιστώσεις ", + "Link with text: [[http://example.com|text of the link]]": "Σύνδεση με κείμενο: [[http://example.com|text του συνδέσμου]]", + "Long credits": "Αναλυτικές πιστώσεις", "Longitude": "Γεωγραφικό μήκος", - "Make main shape": "Κάντε κύριο σχήμα", - "Manage layers": "Διαχείριση επιπέδων ", - "Map background credits": "Πιστοποιητικά δημιουργού υποβάθρου ", - "Map has been attached to your account": "Ο χάρτης έχει συνδεθεί στο λογαριασμό σας", + "Make main shape": "Ορίστε το ως κύριο σχήμα", + "Manage layers": "Διαχείριση επιπέδων", + "Map background credits": "Πιστοποιητικά υποβάθρου του χάρτη", + "Map has been attached to your account": "Ο χάρτης έχει συνδεθεί με τον λογαριασμό σας", "Map has been saved!": "Ο χάρτης έχει αποθηκευτεί!", - "Map user content has been published under licence": "Ο χάρτης του χρήστη δημοσιεύθηκε με άδεια ", + "Map user content has been published under licence": "Το περιεχόμενο του χάρτη έχει δημοσιευτεί με συγκεκριμένη άδεια", "Map's editors": "Οι συντάκτες του χάρτη", - "Map's owner": "Κάτοχος χάρτη", + "Map's owner": "Ιδιοκτήτης του χάρτη", "Merge lines": "Συγχώνευση γραμμών", - "More controls": "Περισσότερα εργαλεία ", + "More controls": "Περισσότερα εργαλεία ελέγχου", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Πρέπει να είναι έγκυρη τιμή CSS (π.χ.: DarkBlue ή # 123456)", "No licence has been set": "Δεν έχει οριστεί άδεια χρήσης", "No results": "Δεν υπάρχουν αποτελέσματα", - "Only visible features will be downloaded.": "Μόνο τα ορατά στοιχεία θα ληφθούν ", + "Only visible features will be downloaded.": "Θα γίνει λήψη μόνο των ορατών στοιχείων", "Open download panel": "Ανοίξτε το πλαίσιο λήψης", "Open link in…": "Άνοιγμα συνδέσμου σε ...", - "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Ανοίξτε αυτό το χάρτη σε έναν επεξεργαστή χαρτών για να παρέχετε πιο ακριβή δεδομένα στο OpenStreetMap", - "Optional intensity property for heatmap": "Προαιρετική ιδιότητα έντασης για το χάρτης εγγύτητας ", - "Optional. Same as color if not set.": "Προαιρετικό. Ίδιο χρώμα αν δεν διαμορφωθεί ", - "Override clustering radius (default 80)": "Αντικατάσταση ακτίνας συμπλέγματος (προεπιλογή 80)", - "Override heatmap radius (default 25)": "Αντικατάσταση ακτίνας χάρτης εγγύτητας (προεπιλογή 25)", - "Please be sure the licence is compliant with your use.": "Παρακαλώ χρησιμοποιείστε άδεια που συμμορφώνετε με την χρήση σας ", - "Please choose a format": "Παρακαλώ επιλέξτε μια μορφή", - "Please enter the name of the property": "Πληκτρολογήστε το όνομα της ιδιότητας", - "Please enter the new name of this property": "Εισαγάγετε το νέο όνομα αυτής της ιδιότητας", + "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Ανοίξτε τον χάρτη σε έναν επεξεργαστή χαρτών για να παρέχετε πιο ακριβή δεδομένα στο OpenStreetMap", + "Optional intensity property for heatmap": "Προαιρετική ιδιότητα έντασης για τον χάρτη εγγύτητας", + "Optional. Same as color if not set.": "Προαιρετικό. Ίδιο με το χρώμα αν δεν οριστεί.", + "Override clustering radius (default 80)": "Παράκαμψη ακτίνας συμπλέγματος (προεπιλογή 80)", + "Override heatmap radius (default 25)": "Παράκαμψη ακτίνας χάρτη εγγύτητας (προεπιλογή 25)", + "Please be sure the licence is compliant with your use.": "Παρακαλώ βεβαιωθείτε ότι η άδεια είναι σύμφωνη με την χρήση σας", + "Please choose a format": "Παρακαλώ επιλέξτε μια μορφοποίηση", + "Please enter the name of the property": "Παρακαλώ εισαγάγετε το όνομα της ιδιότητας", + "Please enter the new name of this property": "Παρακαλώ εισαγάγετε το νέο όνομα αυτής της ιδιότητας", "Powered by Leaflet and Django, glued by uMap project.": "Τροφοδοτείται από Leaflet και Django, που συνδέθηκαν από το uMap project.", - "Problem in the response": "Πρόβλημα στην απόκριση ", - "Problem in the response format": "Πρόβλημα στη μορφή απόκρισης ", + "Problem in the response": "Πρόβλημα στην απόκριση", + "Problem in the response format": "Πρόβλημα στη μορφοποίηση απόκρισης", "Properties imported:": "Ιδιότητες που έχουν εισαχθεί:", - "Property to use for sorting features": "Ιδιότητα που χρησιμοποιείται για τη ταξινόμηση στοιχείων", - "Provide an URL here": "Δώστε ένα σύνδεσμο URL εδώ ", - "Proxy request": "Αίτημα απομακρυσμένου μεσολαβητή ", - "Remote data": "Απομακρυσμένα δεδομένα ", + "Property to use for sorting features": "Ιδιότητα που χρησιμοποιείται για την ταξινόμηση των στοιχείων", + "Provide an URL here": "Δώστε έναν σύνδεσμο εδώ", + "Proxy request": "Αίτημα απομακρυσμένου διαμεσολαβητή", + "Remote data": "Απομακρυσμένα δεδομένα", "Remove shape from the multi": "Αφαίρεση σχήματος από πολυδεδομένο", - "Rename this property on all the features": "Μετονομασία αυτής της ιδιότητας από όλα τα στοιχεία", - "Replace layer content": "Αντικατάσταση περιεχομένου επιπέδου", - "Restore this version": "Επαναφορά της έκδοσης", + "Rename this property on all the features": "Μετονομασία αυτής της ιδιότητας σε όλα τα στοιχεία", + "Replace layer content": "Αντικατάσταση περιεχομένου του επιπέδου", + "Restore this version": "Επαναφορά αυτής της έκδοσης", "Save": "Αποθήκευση", - "Save anyway": "Αποθήκευσε ούτως ή άλλως", + "Save anyway": "Αποθήκευση οπωσδήποτε", "Save current edits": "Αποθήκευση τρέχουσας επεξεργασίας", - "Save this center and zoom": "Αποθήκευσε αυτό το κέντρο και επίπεδο μεγέθυνσης ", - "Save this location as new feature": "Αποθήκευσε αυτήν την τοποθεσία ως νέο στοιχείο", - "Search a place name": "Αναζήτηση ονόματος χώρου", - "Search location": "Αναζήτηση τοποθεσίας ", - "Secret edit link is:
{link}": "Ο μυστικό σύνδεσμος επεξεργασίας είναι:
{link}", - "See all": "Εμφάνιση όλων ", - "See data layers": "Εμφάνιση δεδομένα επιπέδων ", - "See full screen": "Εμφάνιση πλήρους οθόνης ", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Ρύθμισε την ως ψευδή για την απόκρυψη του επιπέδου από την προβολή διαφανειών, το πρόγραμμα δεδομένα περιήγησης , την αναδυόμενη πλοήγηση ...", + "Save this center and zoom": "Αποθήκευση αυτής της προβολής με το συγκεκριμένο κεντράρισμα και το επίπεδο εστίασης", + "Save this location as new feature": "Αποθήκευση αυτής της τοποθεσίας ως νέο στοιχείο", + "Search a place name": "Αναζήτηση τοποθεσίας", + "Search location": "Αναζήτηση τοποθεσίας", + "Secret edit link is:
{link}": "Ο μυστικό σύνδεσμος επεξεργασίας είναι:
{link}", + "See all": "Εμφάνιση όλων", + "See data layers": "Εμφάνιση επιπέδων δεδομένων", + "See full screen": "Εμφάνιση πλήρους οθόνης", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Απενεργοποίηση εάν επιθυμείτε την απόκρυψη του επιπέδου κατά την προβολή των διαφανειών, την περιήγηση δεδομένων, την αναδυόμενη πλοήγηση ...", "Shape properties": "Ιδιότητες σχήματος", - "Short URL": "Σύντομος σύνδεσμος URL", - "Short credits": "Σύντομες πιστώσεις.", - "Show/hide layer": "Εμφάνιση / απόκρυψη επιπέδου", - "Simple link: [[http://example.com]]": "Απλός σύνδεσμος:[[http://example.com]]", + "Short URL": "Σύντομος σύνδεσμος", + "Short credits": "Εύσημα εν συντομία", + "Show/hide layer": "Εμφάνιση/απόκρυψη επιπέδου", + "Simple link: [[http://example.com]]": "Απλός σύνδεσμος: [[http://example.com]]", "Slideshow": "Παρουσίαση", "Smart transitions": "Έξυπνες μεταβάσεις", - "Sort key": "Κλειδί ταξινόμησης ", - "Split line": "Διαμελισμός γραμμής ", - "Start a hole here": "Ξεκίνησε μια τρύπα εδώ", + "Sort key": "Κλειδί ταξινόμησης", + "Split line": "Διαίρεση γραμμής", + "Start a hole here": "Δημιουργία κενής περιοχής εδώ", "Start editing": "Έναρξη επεξεργασίας", "Start slideshow": "Έναρξη παρουσίασης", - "Stop editing": "Τερματισμός επεξεργασίας ", + "Stop editing": "Τερματισμός επεξεργασίας", "Stop slideshow": "Τερματισμός παρουσίασης", - "Supported scheme": "Υποστηριζόμενο γράφημα ", + "Supported scheme": "Υποστηριζόμενο σχέδιο", "Supported variables that will be dynamically replaced": "Υποστηριζόμενες μεταβλητές που θα αντικατασταθούν δυναμικά", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Το σύμβολο μπορεί να είναι χαρακτήρας unicode ή μια διεύθυνση URL. Μπορείτε να χρησιμοποιήσετε τις ιδιότητες στοιχείων ως μεταβλητές: π.χ. με \"http://myserver.org/images/{name}.png\", η μεταβλητή {name} θα αντικατασταθεί από την τιμή \"όνομα\" κάθε δείκτη.", - "TMS format": " TMS μορφή", - "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα ομαδοποίησης", + "TMS format": "Μορφοποίηση TMS", + "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα συμπλέγματος", "Text formatting": "Μορφοποίηση κειμένου", - "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα χαρακτηριστικών (π.χ. \"nom\")", - "The zoom and center have been set.": "Το επίπεδο μεγέθυνσης και το κέντρο χάρτη έχουν ρυθμιστεί.", + "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα στοιχείου (π.χ..: \"nom\")", + "The zoom and center have been setted.": "Το επίπεδο εστίασης και το κέντρο του χάρτη έχουν ρυθμιστεί.", "To use if remote server doesn't allow cross domain (slower)": "Για χρήση εάν ο απομακρυσμένος διακομιστής δεν επιτρέπει cross domain (πιο αργή)", - "To zoom": "Για Μεγέθυνση ", + "To zoom": "Για εστίαση", "Toggle edit mode (Shift+Click)": "Εναλλαγή λειτουργίας επεξεργασίας (Shift+Click)", "Transfer shape to edited feature": "Μεταφορά σχήματος σε επεξεργασμένο στοιχείο", "Transform to lines": "Μετασχηματισμός σε γραμμές", "Transform to polygon": "Μετασχηματισμός σε πολύγωνο", "Type of layer": "Τύπος επιπέδου", - "Unable to detect format of file {filename}": "Δεν είναι δυνατή η αναγνώριση της μορφής αρχείου {filename}", - "Untitled layer": "Επίπεδο χωρίς όνομα ", + "Unable to detect format of file {filename}": "Δεν είναι δυνατή η αναγνώριση της μορφοποίησης του αρχείου {filename}", + "Untitled layer": "Επίπεδο χωρίς όνομα", "Untitled map": "Χάρτης χωρίς όνομα", - "Update permissions": "Ενημέρωση δικαιωμάτων ", - "Update permissions and editors": "Ενημέρωση δικαιωμάτων και συντακτών ", + "Update permissions": "Ενημέρωση δικαιωμάτων", + "Update permissions and editors": "Ενημέρωση δικαιωμάτων και συντακτών", "Url": "Σύνδεσμος", - "Use current bounds": "Χρησιμοποίησε αυτά τα όρια", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Χρησιμοποιήστε placeholders με τις ιδιότητες στοιχείο μεταξύ παρενθέσεων, π.χ. {name}, θα αντικατασταθούν δυναμικά από τις αντίστοιχες τιμές ", - "User content credits": "Πιστώσεις περιεχομένου χρήστη", + "Use current bounds": "Χρήση τρεχόντων ορίων", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Χρησιμοποιήστε σύμβολα υποκατάστασης με τις ιδιότητες του στοιχείου μεταξύ αγκυλών, π.χ. {name}, θα αντικατασταθούν δυναμικά από τις αντίστοιχες τιμές.", + "User content credits": "Εύσημα περιεχομένου χρήστη", "User interface options": "Επιλογές περιβάλλοντος χρήστη", "Versions": "Εκδόσεις", - "View Fullscreen": "Εμφάνιση πλήρους οθόνης", + "View Fullscreen": "Προβολή πλήρους οθόνης", "Where do we go from here?": "Πού πάμε από εδώ;", - "Whether to display or not polygons paths.": "Είτε πρόκειται να εμφανίσετε είτε όχι οδεύσεις πολυγώνων.", - "Whether to fill polygons with color.": "Είτε πρόκειται να γεμίσετε πολύγωνα με χρώμα.", + "Whether to display or not polygons paths.": "Εάν πρόκειται να εμφανίσετε ή όχι μονοπάτια πολυγώνων.", + "Whether to fill polygons with color.": "Εάν πρόκειται να γεμίσετε πολύγωνα με χρώμα.", "Who can edit": "Ποιος μπορεί να επεξεργαστεί", "Who can view": "Ποιος μπορεί να δει", "Will be displayed in the bottom right corner of the map": "Θα εμφανιστεί στην κάτω δεξιά γωνία του χάρτη", "Will be visible in the caption of the map": "Θα είναι ορατό στη λεζάντα του χάρτη", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Οχ!! Κάποιος άλλος φαίνεται να έχει επεξεργαστεί τα δεδομένα. Μπορείτε να αποθηκεύσετε ούτως ή άλλως, αλλά αυτό θα διαγράψει τις αλλαγές που έγιναν από άλλους.", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Οπς! Κάποιος άλλος φαίνεται πως έχει επεξεργαστεί τα δεδομένα. Μπορείτε να αποθηκεύσετε ούτως ή άλλως, αλλά αυτό θα διαγράψει τις αλλαγές που έγιναν από άλλους.", "You have unsaved changes.": "Έχετε μη αποθηκευμένες αλλαγές.", - "Zoom in": "Μεγέθυνση ", - "Zoom level for automatic zooms": "Επίπεδο ζουμ για αυτόματες μεγεθύνσεις/σμικρύνσεις ", - "Zoom out": "Σμίκρυνση ", - "Zoom to layer extent": "Μεγέθυνε στο χώρο κάλυψης του επίπεδου ", - "Zoom to the next": "Μεγέθυνση στο επόμενο", - "Zoom to the previous": "Μεγέθυνση στο προηγούμενο", - "Zoom to this feature": "Μεγέθυνε σε αυτό το στοιχείο", - "Zoom to this place": "Μεγέθυνση σε αυτό το μέρος", + "Zoom in": "Μεγέθυνση", + "Zoom level for automatic zooms": "Επίπεδο εστίασης για αυτόματες μεγεθύνσεις/σμικρύνσεις", + "Zoom out": "Σμίκρυνση", + "Zoom to layer extent": "Εστίαση στο χώρο κάλυψης του επίπεδου", + "Zoom to the next": "Εστίαση στο επόμενο", + "Zoom to the previous": "Εστίαση στο προηγούμενο", + "Zoom to this feature": "Εστίαση σε αυτό το στοιχείο", + "Zoom to this place": "Εστίαση σε αυτή την τοποθεσία", "attribution": "Αναφορά", "by": "από", - "display name": "εμφάνιση ονόματος ", - "height": "ύψος", - "licence": "άδεια", - "max East": "μέγιστο ανατολικό ", - "max North": "Μέγιστο Βόρειο ", - "max South": "Μέγιστο Νότιο", - "max West": "Μέγιστο Δυτικό ", - "max zoom": "Μέγιστη Μεγέθυνση ", - "min zoom": "Ελάχιστη σμίκρυνση ", - "next": "επόμενο", - "previous": "προηγούμενο", - "width": "πλάτος", - "{count} errors during import: {message}": "{count} σφάλματα κατά την εισαγωγή:{message}", - "Measure distances": "Μέτρηση αποστάσεων ", + "display name": "Όνομα που εμφανίζεται", + "height": "Ύψος", + "licence": "Άδεια", + "max East": "Μέγιστο ανατολικά", + "max North": "Μέγιστο βόρεια", + "max South": "Μέγιστο νότια", + "max West": "Μέγιστο δυτικά", + "max zoom": "Μέγιστη εστίαση", + "min zoom": "Ελάχιστη εστίαση", + "next": "Επόμενο", + "previous": "Προηγούμενο", + "width": "Πλάτος", + "{count} errors during import: {message}": "{count} σφάλματα κατά την εισαγωγή: {message}", + "Measure distances": "Μέτρηση αποστάσεων", "NM": "ΝΜ", - "kilometers": "Χιλιόμετρα ", - "km": "χλμ", - "mi": "μλ", - "miles": "μίλια ", + "kilometers": "Χιλιόμετρα", + "km": "χλμ.", + "mi": "μλ.", + "miles": "Μίλια", "nautical miles": "Ναυτικά μίλια", - "{area} acres": "{area} acres", - "{area} ha": "{area} ha - Εκτάρια ", + "{area} acres": "{area} άκρα", + "{area} ha": "{area} εκτάρια", "{area} m²": "{area} m²", "{area} mi²": "{area} mi²", "{area} yd²": "{area} yd²", "{distance} NM": "{distance} NM", - "{distance} km": "{distance} χλμ", - "{distance} m": "{distance} μ", - "{distance} miles": "{distance} μίλια ", - "{distance} yd": "{distance} yd", + "{distance} km": "{distance} χλμ.", + "{distance} m": "{distance} μ.", + "{distance} miles": "{distance} μίλια", + "{distance} yd": "{distance} γιάρδες", "1 day": "1 μέρα", "1 hour": "1 ώρα", "5 min": "5 λεπτά", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", + "Cache proxied request": "Αίτημα μεσολάβησης προσωρινής μνήμης", + "No cache": "Δεν υπάρχει προσωρινή μνήμη", "Popup": "Αναδυόμενο", - "Popup (large)": "Αναδυόμενο (μεγάλο) ", - "Popup content style": "Στυλ περιεχομένου αναδυόμενου ", - "Popup shape": "Σχήμα αναδυόμενου ", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "Optional.", - "Paste your data here": "Paste your data here", - "Please save the map first": "Please save the map first", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} -; + "Popup (large)": "Αναδυόμενο (μεγάλο)", + "Popup content style": "Στυλ περιεχομένου αναδυόμενου", + "Popup shape": "Σχήμα αναδυόμενου", + "Skipping unknown geometry.type: {type}": "Παράλειψη άγνωστου geometry.type: {type}", + "Optional.": "Προαιρετικό", + "Paste your data here": "Επικόλληση των δεδομένων σας εδώ", + "Please save the map first": "Παρακαλώ αποθηκεύστε τον χάρτη πρώτα", + "Unable to locate you.": "Αδυναμία εντοπισμού της τοποθεσίας σας.", + "Feature identifier key": "Κλειδί αναγνώρισης στοιχείου", + "Open current feature on load": "Άνοιγμα τρέχοντος στοιχείου κατά τη φόρτωση", + "Permalink": "Μόνιμος σύνδεσμος", + "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό." +}; L.registerLocale("el", locale); L.setLocale("el"); \ No newline at end of file diff --git a/umap/static/umap/locale/el.json b/umap/static/umap/locale/el.json index 91386b51..0df7f1ef 100644 --- a/umap/static/umap/locale/el.json +++ b/umap/static/umap/locale/el.json @@ -1,374 +1,374 @@ { - "Add symbol": "Προσθήκη συμβόλου ", - "Allow scroll wheel zoom?": "Επέτρεψε ζουμ κύλισης", + "Add symbol": "Προσθήκη συμβόλου", + "Allow scroll wheel zoom?": "Επιτρέπεται κύλιση εστίασης", "Automatic": "Αυτόματα", "Ball": "Καρφίτσα", - "Cancel": "Άκυρο ", - "Caption": "Υπόμνημα", - "Change symbol": "Αλλαγή συμβόλου ", - "Choose the data format": "Επιλογή μορφής για δεδομένα", + "Cancel": "Άκυρο", + "Caption": "Λεζάντα", + "Change symbol": "Αλλαγή συμβόλου", + "Choose the data format": "Επιλογή μορφοποίησης δεδομένων", "Choose the layer of the feature": "Επιλέξτε το επίπεδο του στοιχείου", - "Circle": "Κύκλος ", + "Circle": "Κύκλος", "Clustered": "Σύμπλεγμα", - "Data browser": "Δεδομένα Περιήγησης ", - "Default": "Προεπιλογή ", + "Data browser": "Περιηγητής δεδομένων", + "Default": "Προεπιλογή", "Default zoom level": "Προεπιλεγμένο επίπεδο μεγέθυνσης", - "Default: name": "Προεπιλογή: 'Ονομα", + "Default: name": "Προεπιλογή: Όνομα", "Display label": "Εμφάνιση ετικέτας", "Display the control to open OpenStreetMap editor": "Εμφάνιση εικονιδίου επεξεργασίας OpenStreetMap", - "Display the data layers control": "Εμφάνιση εικονιδίου δεδομένα επίπεδων ", + "Display the data layers control": "Εμφάνιση εικονιδίου επιπέδων με δεδομένα", "Display the embed control": "Εμφάνιση εικονιδίου διαμοιρασμού", - "Display the fullscreen control": "Εμφάνιση εικονιδίου πλήρους οθόνης ", - "Display the locate control": "Εμφάνιση εικονιδίου γεωεντοπισμού ", + "Display the fullscreen control": "Εμφάνιση εικονιδίου πλήρους οθόνης", + "Display the locate control": "Εμφάνιση εικονιδίου γεωεντοπισμού", "Display the measure control": "Εμφάνιση εικονιδίου μέτρησης", "Display the search control": "Εμφάνιση εικονιδίου αναζήτησης", "Display the tile layers control": "Εμφάνιση εικονιδίου αλλαγής υποβάθρων", - "Display the zoom control": "Εμφάνιση εικονιδίου μεγέθυνσης/σμίκρυνσης ", - "Do you want to display a caption bar?": "Θα επιθυμούσες την εμφάνιση Λεζάντας ;", - "Do you want to display a minimap?": "Επιθυμείτε την εμφάνιση χάρτη υπομνήματος ;", - "Do you want to display a panel on load?": "Θα επιθυμούσες την εμφάνιση πινακίδας κατά την φόρτωση ;", - "Do you want to display popup footer?": "Επιθυμείτε την εμφάνιση αναδυόμενης βάσης ;", - "Do you want to display the scale control?": "Επιθυμείτε την εμφάνιση κλίμακας ;", - "Do you want to display the «more» control?": "Επιθυμείτε την εμφάνιση \"περισσότερων\" επιλογών;", - "Drop": "Ρίψη ", + "Display the zoom control": "Εμφάνιση εικονιδίου εστίασης", + "Do you want to display a caption bar?": "Εμφάνιση λεζάντας", + "Do you want to display a minimap?": "Εμφάνιση χάρτη προσανατολισμού", + "Do you want to display a panel on load?": "Εμφάνιση καρτέλας κατά την φόρτωση", + "Do you want to display popup footer?": "Εμφάνιση αναδυόμενου υποσέλιδου", + "Do you want to display the scale control?": "Εμφάνιση κλίμακας", + "Do you want to display the «more» control?": "Εμφάνιση «περισσότερων» επιλογών", + "Drop": "Σταγόνα", "GeoRSS (only link)": "GeoRSS (μόνο σύνδεσμος)", "GeoRSS (title + image)": "GeoRSS (τίτλος + εικόνα)", "Heatmap": "Χάρτης εγγύτητας", - "Icon shape": "Μορφή σύμβολο", - "Icon symbol": "Εικόνα σύμβολο", - "Inherit": "Μεταβίβαση", - "Label direction": "Κατεύθυνση ετικέτας ", - "Label key": "Κλειδί ετικέτας ", - "Labels are clickable": "Η ετικέτα έχει σύνδεσμο ", + "Icon shape": "Μορφή εικονιδίου", + "Icon symbol": "Σύμβολο εικονιδίου", + "Inherit": "Κληρονομημένο", + "Label direction": "Κατεύθυνση ετικέτας", + "Label key": "Κλειδί ετικέτας", + "Labels are clickable": "Οι ετικέτες είναι ενεργές", "None": "Κανένα", "On the bottom": "Στο κάτω μέρος", "On the left": "Στο αριστερό μέρος", "On the right": "Στο δεξί μέρος", "On the top": "Στο πάνω μέρος", - "Popup content template": "Αναδυόμενο παράθυρο περιεχομένου ", + "Popup content template": "Αναδυόμενο πρότυπο περιεχομένου", "Set symbol": "Ορισμός συμβόλου", - "Side panel": "Πλευρικός πίνακας", - "Simplify": "Απλοποίησε", + "Side panel": "Πλευρική εργαλειοθήκη", + "Simplify": "Απλοποίηση", "Symbol or url": "Σύμβολο ή σύνδεσμος", "Table": "Πίνακας", "always": "πάντα", "clear": "Εκκαθάριση", - "collapsed": "Κατέρρευσε ", - "color": "Χρώμα ", - "dash array": "Διάνυσμα σειράς", - "define": "Όρισε ", + "collapsed": "Κατέρρευσε", + "color": "Χρώμα", + "dash array": "Διάταξη παύλας", + "define": "Ορισμός", "description": "Περιγραφή", - "expanded": "Ανεπτυγμένος", - "fill": "Γέμισμα ", - "fill color": "Χρώμα Γεμίσματος", - "fill opacity": "Αδιαφάνεια Γεμίσματος", + "expanded": "Αναπτυγμένος", + "fill": "Γέμισμα", + "fill color": "Χρώμα γεμίσματος", + "fill opacity": "Αδιαφάνεια γεμίσματος", "hidden": "Απόκρυψη", - "iframe": "Παράθυρο εξωτερικού συνδέσμου", - "inherit": "Μετάβαση", + "iframe": "iframe", + "inherit": "Κληρονομημένο", "name": "Όνομα", "never": "Ποτέ", "new window": "Νέο Παράθυρο", "no": "όχι", - "on hover": "Με κατάδειξη", + "on hover": "Με αιώρηση", "opacity": "Αδιαφάνεια", - "parent window": "Συγγενές παράθυρο ", - "stroke": "Πινέλο ", + "parent window": "Γονικό παράθυρο", + "stroke": "Πινέλο", "weight": "Βάρος", "yes": "ναι", - "{delay} seconds": "{καθυστέρηση} δευτερόλεπτα", - "# one hash for main heading": "# ένα hash για τίτλο ", - "## two hashes for second heading": "## δύο hash για επικεφαλίδα", - "### three hashes for third heading": "### τρία hash για κεφαλίδα ", - "**double star for bold**": "**διπλό αστερίσκο για έντονη**", + "{delay} seconds": "{delay} δευτερόλεπτα", + "# one hash for main heading": "# για επικεφαλίδα πρώτου επιπέδου", + "## two hashes for second heading": "## για επικεφαλίδα δευτέρου επιπέδου", + "### three hashes for third heading": "### για επικεφαλίδα τρίτου επιπέδου", + "**double star for bold**": "**διπλό αστερίσκο για έντονα**", "*simple star for italic*": "*μονό αστερίσκο για πλάγια*", - "--- for an horizontal rule": "---για οριζόντιο διαχωριστικό ", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Το κόμμα χωρίζει λίστα αριθμών που ορίζονται από ένα διανυσματικό σύνολο πχ.: \"5, 10, 15\".", + "--- for an horizontal rule": "--- για οριζόντιο διαχωριστικό", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Μια λίστα αριθμών διαχωρισμένων με κόμμα που καθορίζει το μοτίβο της παύλας. Π.χ.: \"5, 10, 15\".", "About": "Σχετικά", "Action not allowed :(": "Μη επιτρεπόμενη ενέργεια :(", - "Activate slideshow mode": "Ενεργοποίηση διαφανειών παρουσίασης ", + "Activate slideshow mode": "Ενεργοποίηση λειτουργίας παρουσίασης", "Add a layer": "Προσθήκη επιπέδου", - "Add a line to the current multi": "Προσθήκη γραμμής στο παρόν πολυδεδομένο ", + "Add a line to the current multi": "Προσθήκη γραμμής στο παρόν πολυδεδομένο", "Add a new property": "Προσθήκη νέας ιδιότητας", - "Add a polygon to the current multi": "Προσθήκη πολυγώνου στο παρόν πολυδεδομένο ", - "Advanced actions": "Εξειδικευμένες ενέργειες ", - "Advanced properties": "Εξειδικευμένες ιδιότητες ", - "Advanced transition": "Προχωρημένος μετασχηματισμός ", - "All properties are imported.": "Εισήχθησαν όλες οι ιδιότητες", - "Allow interactions": "Επέτρεψε αλληλεπιδράσεις ", - "An error occured": "Παρουσιάστηκε σφάλμα ", - "Are you sure you want to cancel your changes?": "Είστε βέβαιος για το ότι θέλετε να ακυρώσετε τις αλλαγές σας;", - "Are you sure you want to clone this map and all its datalayers?": "Είστε βέβαιος ότι θέλετε να κλωνοποιηθεί αυτός ο χάρτης και όλα τα επίπεδα δεδομένων του;", - "Are you sure you want to delete the feature?": "Είστε βέβαιος ότι θέλετε να διαγράφει αυτό το στοιχείο;", - "Are you sure you want to delete this layer?": "Είσαι σίγουρος για την διαγραφή αυτού του επιπέδου;", - "Are you sure you want to delete this map?": "Είστε βέβαιος ότι θέλετε να διαγραφεί αυτός ο χάρτης ;", - "Are you sure you want to delete this property on all the features?": "Είσαι σίγουρος για την διαγραφή αυτής της ιδιότητας από όλα τα στοιχεία; ", - "Are you sure you want to restore this version?": "Είσαι σίγουρος για την επαναφορά αυτής της εκδοχής ;", - "Attach the map to my account": "Επισύναψη αυτού του χάρτη στο λογαριασμό μου", + "Add a polygon to the current multi": "Προσθήκη πολυγώνου στο παρόν πολυδεδομένο", + "Advanced actions": "Εξειδικευμένες ενέργειες", + "Advanced properties": "Εξειδικευμένες ιδιότητες", + "Advanced transition": "Εξειδικευμένη μετάβαση", + "All properties are imported.": "Όλες οι ιδιότητες έχουν εισαχθεί", + "Allow interactions": "Επιτρέπονται αλληλεπιδράσεις", + "An error occured": "Παρουσιάστηκε σφάλμα", + "Are you sure you want to cancel your changes?": "Θέλετε σίγουρα να ακυρώσετε τις αλλαγές σας;", + "Are you sure you want to clone this map and all its datalayers?": "Θέλετε σίγουρα να κλωνοποιηθεί αυτός ο χάρτης και όλα τα επίπεδα δεδομένων του;", + "Are you sure you want to delete the feature?": "Θέλετε σίγουρα να διαγράφει αυτό το στοιχείο;", + "Are you sure you want to delete this layer?": "Θέλετε σίγουρα να διαγράφει αυτό το επιπέδο;", + "Are you sure you want to delete this map?": "Θέλετε σίγουρα να διαγράφει αυτός ο χάρτης;", + "Are you sure you want to delete this property on all the features?": "Θέλετε σίγουρα να διαγράφει αυτή η ιδιότητα από όλα τα στοιχεία;", + "Are you sure you want to restore this version?": "Θέλετε σίγουρα να γίνει επαναφορά αυτής της έκδοσης;", + "Attach the map to my account": "Σύνδεση του χάρτη με τον λογαριασμό μου", "Auto": "Αυτόματα", - "Autostart when map is loaded": "Αυτόματη έναρξη με την φόρτωση του χάρτη ", - "Bring feature to center": "Κέντραρε το στοιχείο", - "Browse data": "Περιήγηση δεδομένων ", - "Cancel edits": "Ακύρωση επεξεργασίας ", - "Center map on your location": "Κέντραρε τον χάρτη στη θέση σου ", - "Change map background": "Αλλαγή χαρτογραφικού υποβάθρου ", - "Change tilelayers": "Αλλαγή επιπέδου ", - "Choose a preset": "Επιλογή τρέχοντος", - "Choose the format of the data to import": "Επιλέξτε τη μορφή των δεδομένων για εισαγωγή", - "Choose the layer to import in": "Επιλέξτε το επίπεδο που θα γίνει η εισαγωγή ", - "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για την εισαγωγή του σχήματος", - "Click to add a marker": "Πατήστε για την εισαγωγή συμβόλου ", - "Click to continue drawing": "Πατήστε για συνέχεια σχεδίου", + "Autostart when map is loaded": "Αυτόματη έναρξη με την φόρτωση του χάρτη", + "Bring feature to center": "Κεντράρισμα του στοιχείου", + "Browse data": "Περιήγηση δεδομένων", + "Cancel edits": "Ακύρωση επεξεργασίας", + "Center map on your location": "Κεντράρισμα του χάρτη στην τοποθεσία σας", + "Change map background": "Αλλαγή υποβάθρου του χάρτη", + "Change tilelayers": "Αλλαγή χαρτογραφικού υπόβαθρου", + "Choose a preset": "Επιλογή προκαθορισμένου", + "Choose the format of the data to import": "Επιλέξτε τη μορφοποίηση των δεδομένων που θα εισαχθούν", + "Choose the layer to import in": "Επιλέξτε το επίπεδο στο οποίο θα η εισαγωγή", + "Click last point to finish shape": "Πατήστε στο τελευταίο σημείο για να ολοκληρωθεί το σχήμα", + "Click to add a marker": "Πατήστε για την εισαγωγή σημείου", + "Click to continue drawing": "Πατήστε για συνέχεια σχεδίασης", "Click to edit": "Πατήστε για επεξεργασία", "Click to start drawing a line": "Πατήστε για έναρξη σχεδιασμού γραμμής", - "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου ", + "Click to start drawing a polygon": "Πατήστε για έναρξη σχεδιασμού πολυγώνου", "Clone": "Κλωνοποίηση", - "Clone of {name}": "Κλωνοποίηση του {ονόματος}", + "Clone of {name}": "Κλωνοποίηση του {name}", "Clone this feature": "Κλωνοποίηση αυτού του στοιχείου", "Clone this map": "Κλωνοποίηση αυτού του χάρτη", - "Close": "Κλείσιμο ", + "Close": "Κλείσιμο", "Clustering radius": "Ακτίνα συμπλέγματος", - "Comma separated list of properties to use when filtering features": "Διαχωρίστε με κόμμα την λίστα ιδιοτήτων για το φιλτράρισμα των στοιχείων ", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Οι τιμές που χωρίζονται με κόμματα, tab ή χρώματα. SRS WGS84 υπονοείται. Εισάγονται μόνο γεωμετρίες σημείων. Η εισαγωγή θα εξετάσει τις κεφαλίδες στηλών -Headers- για οποιαδήποτε αναφορά «lat» και «lon» στην αρχή της κεφαλίδας, που δεν είναι ευαίσθητες -case insensitive- . Όλες οι άλλες στήλες εισάγονται ως ιδιότητες.", - "Continue line": "Συνέχεια γραμμής ", + "Comma separated list of properties to use when filtering features": "Λίστα ιδιοτήτων διαχωρισμένων με κόμμα για χρήση κατά το φιλτράρισμα των στοιχείων", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Τιμές διαχωρισμένες με κόμμα, tab ή άνω τελεία. Εννοείται και η μορφή SRS WGS84. Εισάγονται μόνο γεωμετρίες σημείων. Η διαδικασία εισαγωγής ελέγχει τις επικεφαλίδες των στηλών για τις ενδείξεις «lat» και «lon» στην αρχή της επικεφαλίδας και κάνει διάκριση πεζών - κεφαλαίων γραμμάτων. Όλες οι άλλες στήλες εισάγονται ως ιδιότητες. ", + "Continue line": "Συνέχεια γραμμής", "Continue line (Ctrl+Click)": "Συνέχεια γραμμής (Ctrl+Click)", - "Coordinates": "Συντεταγμένες ", - "Credits": "Πιστώσεις ", - "Current view instead of default map view?": "Αυτή τη προβολή χάρτη αντί της προ επιλεγμένης ", + "Coordinates": "Συντεταγμένες", + "Credits": "Εύσημα", + "Current view instead of default map view?": "Τρέχουσα προβολή χάρτη αντί της προεπιλεγμένης", "Custom background": "Προσαρμοσμένο υπόβαθρο", - "Data is browsable": "Τα δεδομένα είναι περιήγησιμα ", + "Data is browsable": "Τα δεδομένα είναι περιήγησιμα", "Default interaction options": "Προεπιλεγμένες επιλογές αλληλεπίδρασης", "Default properties": "Προεπιλεγμένες ιδιότητες", - "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων ", - "Define link to open in a new window on polygon click.": "Προσδιορισμός συνδέσμου για άνοιγμα νέου παραθύρου με κλικ στο πολύγονο ", - "Delay between two transitions when in play mode": "Καθυστέρηση μεταξύ δύο εναλλαγών κατά την παρουσίαση ", - "Delete": "Διαγραφή ", + "Default shape properties": "Προεπιλεγμένες ιδιότητες σχημάτων", + "Define link to open in a new window on polygon click.": "Προσδιορισμός συνδέσμου για άνοιγμα σε νέο παράθυρο με κλικ στο πολύγωνο", + "Delay between two transitions when in play mode": "Καθυστέρηση μεταξύ μεταβάσεων κατά την παρουσίαση", + "Delete": "Διαγραφή", "Delete all layers": "Διαγραφή όλων των επιπέδων", "Delete layer": "Διαγραφή επιπέδου", - "Delete this feature": "Διαγραφή αυτού του στοιχείου ", + "Delete this feature": "Διαγραφή αυτού του στοιχείου", "Delete this property on all the features": "Διαγραφή αυτής της ιδιότητας από όλα τα στοιχεία", "Delete this shape": "Διαγραφή σχήματος", "Delete this vertex (Alt+Click)": "Διαγραφή αυτής της κορυφής (Alt+Click)", - "Directions from here": "Διαδρομή από εδώ", - "Disable editing": "Απενεργοποίηση επεξεργασίας ", - "Display measure": "Εμφάνιση μέτρου ", - "Display on load": "Εμφάνιση κατά την φόρτωση ", + "Directions from here": "Κατευθύνσεις από εδώ", + "Disable editing": "Απενεργοποίηση επεξεργασίας", + "Display measure": "Εμφάνιση μέτρησης", + "Display on load": "Εμφάνιση κατά την φόρτωση", "Download": "Λήψη", "Download data": "Λήψη δεδομένων", - "Drag to reorder": "Σύρατε για αναδιάταξη", - "Draw a line": "Σχεδιασμός γραμμής ", - "Draw a marker": "Σχεδιασμός σημείου ", - "Draw a polygon": "Σχεδιασμός πολυγώνου ", - "Draw a polyline": "Σχεδιασμός σύνθετης γραμμής ", - "Dynamic": "Δυναμική ", - "Dynamic properties": "Δυναμικές ιδιότητες ", - "Edit": "Επεξεργασία ", - "Edit feature's layer": "Επεξεργασία στοιχείων επιπέδου", - "Edit map properties": "Επεξεργασία ιδιοτήτων χάρτη ", + "Drag to reorder": "Σύρετε για αναδιάταξη", + "Draw a line": "Σχεδιασμός γραμμής", + "Draw a marker": "Σχεδιασμός σημείου", + "Draw a polygon": "Σχεδιασμός πολυγώνου", + "Draw a polyline": "Σχεδιασμός σύνθετης γραμμής", + "Dynamic": "Δυναμική", + "Dynamic properties": "Δυναμικές ιδιότητες", + "Edit": "Επεξεργασία", + "Edit feature's layer": "Επεξεργασία επιπέδου του στοιχείου", + "Edit map properties": "Επεξεργασία ιδιοτήτων χάρτη", "Edit map settings": "Επεξεργασία ρυθμίσεων χάρτη", - "Edit properties in a table": "Επεξεργασία ιδιοτήτων πίνακα", - "Edit this feature": "Επεξεργασία του στοιχείου ", + "Edit properties in a table": "Επεξεργασία ιδιοτήτων σε πίνακα", + "Edit this feature": "Επεξεργασία αυτού του στοιχείου", "Editing": "Επεξεργασία", - "Embed and share this map": "Ένθεση και διαμοιρασμός του χάρτη ", - "Embed the map": "Ένθεση του χάρτη ", - "Empty": "Άδειασμα ", - "Enable editing": "Ενεργοποίηση επεξεργασίας ", - "Error in the tilelayer URL": "Σφάλμα συνδέσμου υποβάθρου ", - "Error while fetching {url}": "Σφάλμα ανάκτησης {url}", - "Exit Fullscreen": "Έξοδος πλήρους οθόνης ", + "Embed and share this map": "Ένθεση και διαμοιρασμός του χάρτη", + "Embed the map": "Ένθεση του χάρτη", + "Empty": "Κενό", + "Enable editing": "Ενεργοποίηση επεξεργασίας", + "Error in the tilelayer URL": "Σφάλμα συνδέσμου υποβάθρου", + "Error while fetching {url}": "Σφάλμα κατά την ανάκτηση {url}", + "Exit Fullscreen": "Κλείσιμο πλήρους οθόνης", "Extract shape to separate feature": "Εξαγωγή σχήματος σε ξεχωριστό στοιχείο", - "Fetch data each time map view changes.": "Ανάκτηση για δεδομένα σε όλες τις αλλαγές του χάρτη ", + "Fetch data each time map view changes.": "Ανάκτηση δεδομένων κάθε φορά που αλλάζει η προβολή του χάρτη", "Filter keys": "Βασικά φίλτρα", "Filter…": "Φίλτρα", - "Format": "Μορφή", - "From zoom": "Από μεγέθυνση ", + "Format": "Μορφοποίηση", + "From zoom": "Από εστίαση", "Full map data": "Ολοκληρωμένα δεδομένα χάρτη", - "Go to «{feature}»": "πήγαινε στο «{στοιχείο}»", - "Heatmap intensity property": "Ένταση χαρακτηριστικών χάρτης εγγύτητας ", - "Heatmap radius": "Ακτίνα χάρτης εγγύτητας ", + "Go to «{feature}»": "Μετάβαση στο «{feature}»", + "Heatmap intensity property": "Ένταση του χάρτη εγγύτητας", + "Heatmap radius": "Ακτίνα του χάρτη εγγύτητας", "Help": "Βοήθεια", - "Hide controls": "Απόκρυψη εργαλείων ελέγχου ", + "Hide controls": "Απόκρυψη εργαλείων ελέγχου", "Home": "Αρχική", - "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Πόσο απλοποιείται η συνθέτη γραμμή σε κάθε επίπεδο μεγέθυνσης (περισσότερο = ταχύτερη εκτέλεση και γενικότερη αποτύπωση, λιγότερο = περισσότερη ακρίβεια)", - "If false, the polygon will act as a part of the underlying map.": "Αν ψευδείς, το πολύγονο θα λειτουργήσει σαν μέρος του υποκείμενου χάρτη.", - "Iframe export options": "iframe παράμετροι εξαγωγής", - "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe με προσαρμοσμένο ύψος (in px): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe με προσαρμοσμένο ύψος και πλάτος (in px): {{{http://iframe.url.com|height*width}}}", + "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Πόσο απλοποιείται η συνθέτη γραμμή σε κάθε επίπεδο εστίασης (περισσότερο = καλύτερη απόδοση και ομαλότερη εμφάνιση, λιγότερο = περισσότερη ακρίβεια)", + "If false, the polygon will act as a part of the underlying map.": "Αν είναι απενεργοποιημένο, το πολύγωνο θα συμπεριφέρεται ως μέρος του υποκείμενου χάρτη.", + "Iframe export options": "Παράμετροι εξαγωγής iframe", + "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe με προσαρμοσμένο ύψος (σε px): {{{http://iframe.url.com|height}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe με προσαρμοσμένο ύψος και πλάτος (σε px): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", - "Image with custom width (in px): {{http://image.url.com|width}}": "Εικόνα με προσαρμοσμένο πλάτος (in px): {{http://image.url.com|width}}", + "Image with custom width (in px): {{http://image.url.com|width}}": "Εικόνα με προσαρμοσμένο πλάτος (σε px): {{http://image.url.com|width}}", "Image: {{http://image.url.com}}": "Εικόνα: {{http://image.url.com}}", - "Import": "Εισαγωγή ", - "Import data": "Εισαγωγή δεδομένων ", - "Import in a new layer": "Εισαγωγή σε νέο επίπεδο", - "Imports all umap data, including layers and settings.": "Εισάγει όλα τα δεδομένα, συμπεριλαμβανομένων επιπέδων και ρυθμίσεων.", - "Include full screen link?": "Να περιληφθεί σύνδεσμος πλήρους παραθύρου;", - "Interaction options": "Επιλογές διάδρασης ", - "Invalid umap data": "Μη έγκυρα δεδομένα umap ", - "Invalid umap data in {filename}": "Μη έγκυρα δεδομένα σε {filename}", - "Keep current visible layers": "Διατήρηση τρεχουσών ορατών επιπέδων ", + "Import": "Εισαγωγή", + "Import data": "Εισαγωγή δεδομένων", + "Import in a new layer": "Εισαγωγή σε νέο επίπεδο", + "Imports all umap data, including layers and settings.": "Εισάγει όλα τα δεδομένα umap, μαζί με τα επίπεδα και τις ρυθμίσεις.", + "Include full screen link?": "Συμπερίληψη συνδέσμου πλήρους οθόνης;", + "Interaction options": "Επιλογές αλληλεπίδρασης", + "Invalid umap data": "Μη έγκυρα δεδομένα umap", + "Invalid umap data in {filename}": "Μη έγκυρα δεδομένα στο αρχείο {filename}", + "Keep current visible layers": "Διατήρηση τρεχουσών ορατών επιπέδων", "Latitude": "Γεωγραφικό πλάτος", "Layer": "Επίπεδο", "Layer properties": "Ιδιότητες επιπέδου", "Licence": "Άδεια", "Limit bounds": "Περιορισμός ορίων", "Link to…": "Σύνδεση με ...", - "Link with text: [[http://example.com|text of the link]]": "Σύνδεση με κείμενο:[[http://example.com|text of the link]]", - "Long credits": "Αναλυτικές Πιστώσεις ", + "Link with text: [[http://example.com|text of the link]]": "Σύνδεση με κείμενο: [[http://example.com|text του συνδέσμου]]", + "Long credits": "Αναλυτικές πιστώσεις", "Longitude": "Γεωγραφικό μήκος", - "Make main shape": "Κάντε κύριο σχήμα", - "Manage layers": "Διαχείριση επιπέδων ", - "Map background credits": "Πιστοποιητικά δημιουργού υποβάθρου ", - "Map has been attached to your account": "Ο χάρτης έχει συνδεθεί στο λογαριασμό σας", + "Make main shape": "Ορίστε το ως κύριο σχήμα", + "Manage layers": "Διαχείριση επιπέδων", + "Map background credits": "Πιστοποιητικά υποβάθρου του χάρτη", + "Map has been attached to your account": "Ο χάρτης έχει συνδεθεί με τον λογαριασμό σας", "Map has been saved!": "Ο χάρτης έχει αποθηκευτεί!", - "Map user content has been published under licence": "Ο χάρτης του χρήστη δημοσιεύθηκε με άδεια ", + "Map user content has been published under licence": "Το περιεχόμενο του χάρτη έχει δημοσιευτεί με συγκεκριμένη άδεια", "Map's editors": "Οι συντάκτες του χάρτη", - "Map's owner": "Κάτοχος χάρτη", + "Map's owner": "Ιδιοκτήτης του χάρτη", "Merge lines": "Συγχώνευση γραμμών", - "More controls": "Περισσότερα εργαλεία ", + "More controls": "Περισσότερα εργαλεία ελέγχου", "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Πρέπει να είναι έγκυρη τιμή CSS (π.χ.: DarkBlue ή # 123456)", "No licence has been set": "Δεν έχει οριστεί άδεια χρήσης", "No results": "Δεν υπάρχουν αποτελέσματα", - "Only visible features will be downloaded.": "Μόνο τα ορατά στοιχεία θα ληφθούν ", + "Only visible features will be downloaded.": "Θα γίνει λήψη μόνο των ορατών στοιχείων", "Open download panel": "Ανοίξτε το πλαίσιο λήψης", "Open link in…": "Άνοιγμα συνδέσμου σε ...", - "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Ανοίξτε αυτό το χάρτη σε έναν επεξεργαστή χαρτών για να παρέχετε πιο ακριβή δεδομένα στο OpenStreetMap", - "Optional intensity property for heatmap": "Προαιρετική ιδιότητα έντασης για το χάρτης εγγύτητας ", - "Optional. Same as color if not set.": "Προαιρετικό. Ίδιο χρώμα αν δεν διαμορφωθεί ", - "Override clustering radius (default 80)": "Αντικατάσταση ακτίνας συμπλέγματος (προεπιλογή 80)", - "Override heatmap radius (default 25)": "Αντικατάσταση ακτίνας χάρτης εγγύτητας (προεπιλογή 25)", - "Please be sure the licence is compliant with your use.": "Παρακαλώ χρησιμοποιείστε άδεια που συμμορφώνετε με την χρήση σας ", - "Please choose a format": "Παρακαλώ επιλέξτε μια μορφή", - "Please enter the name of the property": "Πληκτρολογήστε το όνομα της ιδιότητας", - "Please enter the new name of this property": "Εισαγάγετε το νέο όνομα αυτής της ιδιότητας", + "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Ανοίξτε τον χάρτη σε έναν επεξεργαστή χαρτών για να παρέχετε πιο ακριβή δεδομένα στο OpenStreetMap", + "Optional intensity property for heatmap": "Προαιρετική ιδιότητα έντασης για τον χάρτη εγγύτητας", + "Optional. Same as color if not set.": "Προαιρετικό. Ίδιο με το χρώμα αν δεν οριστεί.", + "Override clustering radius (default 80)": "Παράκαμψη ακτίνας συμπλέγματος (προεπιλογή 80)", + "Override heatmap radius (default 25)": "Παράκαμψη ακτίνας χάρτη εγγύτητας (προεπιλογή 25)", + "Please be sure the licence is compliant with your use.": "Παρακαλώ βεβαιωθείτε ότι η άδεια είναι σύμφωνη με την χρήση σας", + "Please choose a format": "Παρακαλώ επιλέξτε μια μορφοποίηση", + "Please enter the name of the property": "Παρακαλώ εισαγάγετε το όνομα της ιδιότητας", + "Please enter the new name of this property": "Παρακαλώ εισαγάγετε το νέο όνομα αυτής της ιδιότητας", "Powered by Leaflet and Django, glued by uMap project.": "Τροφοδοτείται από Leaflet και Django, που συνδέθηκαν από το uMap project.", - "Problem in the response": "Πρόβλημα στην απόκριση ", - "Problem in the response format": "Πρόβλημα στη μορφή απόκρισης ", + "Problem in the response": "Πρόβλημα στην απόκριση", + "Problem in the response format": "Πρόβλημα στη μορφοποίηση απόκρισης", "Properties imported:": "Ιδιότητες που έχουν εισαχθεί:", - "Property to use for sorting features": "Ιδιότητα που χρησιμοποιείται για τη ταξινόμηση στοιχείων", - "Provide an URL here": "Δώστε ένα σύνδεσμο URL εδώ ", - "Proxy request": "Αίτημα απομακρυσμένου μεσολαβητή ", - "Remote data": "Απομακρυσμένα δεδομένα ", + "Property to use for sorting features": "Ιδιότητα που χρησιμοποιείται για την ταξινόμηση των στοιχείων", + "Provide an URL here": "Δώστε έναν σύνδεσμο εδώ", + "Proxy request": "Αίτημα απομακρυσμένου διαμεσολαβητή", + "Remote data": "Απομακρυσμένα δεδομένα", "Remove shape from the multi": "Αφαίρεση σχήματος από πολυδεδομένο", - "Rename this property on all the features": "Μετονομασία αυτής της ιδιότητας από όλα τα στοιχεία", - "Replace layer content": "Αντικατάσταση περιεχομένου επιπέδου", - "Restore this version": "Επαναφορά της έκδοσης", + "Rename this property on all the features": "Μετονομασία αυτής της ιδιότητας σε όλα τα στοιχεία", + "Replace layer content": "Αντικατάσταση περιεχομένου του επιπέδου", + "Restore this version": "Επαναφορά αυτής της έκδοσης", "Save": "Αποθήκευση", - "Save anyway": "Αποθήκευσε ούτως ή άλλως", + "Save anyway": "Αποθήκευση οπωσδήποτε", "Save current edits": "Αποθήκευση τρέχουσας επεξεργασίας", - "Save this center and zoom": "Αποθήκευσε αυτό το κέντρο και επίπεδο μεγέθυνσης ", - "Save this location as new feature": "Αποθήκευσε αυτήν την τοποθεσία ως νέο στοιχείο", - "Search a place name": "Αναζήτηση ονόματος χώρου", - "Search location": "Αναζήτηση τοποθεσίας ", - "Secret edit link is:
{link}": "Ο μυστικό σύνδεσμος επεξεργασίας είναι:
{link}", - "See all": "Εμφάνιση όλων ", - "See data layers": "Εμφάνιση δεδομένα επιπέδων ", - "See full screen": "Εμφάνιση πλήρους οθόνης ", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Ρύθμισε την ως ψευδή για την απόκρυψη του επιπέδου από την προβολή διαφανειών, το πρόγραμμα δεδομένα περιήγησης , την αναδυόμενη πλοήγηση ...", + "Save this center and zoom": "Αποθήκευση αυτής της προβολής με το συγκεκριμένο κεντράρισμα και το επίπεδο εστίασης", + "Save this location as new feature": "Αποθήκευση αυτής της τοποθεσίας ως νέο στοιχείο", + "Search a place name": "Αναζήτηση τοποθεσίας", + "Search location": "Αναζήτηση τοποθεσίας", + "Secret edit link is:
{link}": "Ο μυστικό σύνδεσμος επεξεργασίας είναι:
{link}", + "See all": "Εμφάνιση όλων", + "See data layers": "Εμφάνιση επιπέδων δεδομένων", + "See full screen": "Εμφάνιση πλήρους οθόνης", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Απενεργοποίηση εάν επιθυμείτε την απόκρυψη του επιπέδου κατά την προβολή των διαφανειών, την περιήγηση δεδομένων, την αναδυόμενη πλοήγηση ...", "Shape properties": "Ιδιότητες σχήματος", - "Short URL": "Σύντομος σύνδεσμος URL", - "Short credits": "Σύντομες πιστώσεις.", - "Show/hide layer": "Εμφάνιση / απόκρυψη επιπέδου", - "Simple link: [[http://example.com]]": "Απλός σύνδεσμος:[[http://example.com]]", + "Short URL": "Σύντομος σύνδεσμος", + "Short credits": "Εύσημα εν συντομία", + "Show/hide layer": "Εμφάνιση/απόκρυψη επιπέδου", + "Simple link: [[http://example.com]]": "Απλός σύνδεσμος: [[http://example.com]]", "Slideshow": "Παρουσίαση", "Smart transitions": "Έξυπνες μεταβάσεις", - "Sort key": "Κλειδί ταξινόμησης ", - "Split line": "Διαμελισμός γραμμής ", - "Start a hole here": "Ξεκίνησε μια τρύπα εδώ", + "Sort key": "Κλειδί ταξινόμησης", + "Split line": "Διαίρεση γραμμής", + "Start a hole here": "Δημιουργία κενής περιοχής εδώ", "Start editing": "Έναρξη επεξεργασίας", "Start slideshow": "Έναρξη παρουσίασης", - "Stop editing": "Τερματισμός επεξεργασίας ", + "Stop editing": "Τερματισμός επεξεργασίας", "Stop slideshow": "Τερματισμός παρουσίασης", - "Supported scheme": "Υποστηριζόμενο γράφημα ", + "Supported scheme": "Υποστηριζόμενο σχέδιο", "Supported variables that will be dynamically replaced": "Υποστηριζόμενες μεταβλητές που θα αντικατασταθούν δυναμικά", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Το σύμβολο μπορεί να είναι χαρακτήρας unicode ή μια διεύθυνση URL. Μπορείτε να χρησιμοποιήσετε τις ιδιότητες στοιχείων ως μεταβλητές: π.χ. με \"http://myserver.org/images/{name}.png\", η μεταβλητή {name} θα αντικατασταθεί από την τιμή \"όνομα\" κάθε δείκτη.", - "TMS format": " TMS μορφή", - "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα ομαδοποίησης", + "TMS format": "Μορφοποίηση TMS", + "Text color for the cluster label": "Χρώμα κειμένου για την ετικέτα συμπλέγματος", "Text formatting": "Μορφοποίηση κειμένου", - "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα χαρακτηριστικών (π.χ. \"nom\")", - "The zoom and center have been set.": "Το επίπεδο μεγέθυνσης και το κέντρο χάρτη έχουν ρυθμιστεί.", + "The name of the property to use as feature label (ex.: \"nom\")": "Το όνομα της ιδιότητας που θα χρησιμοποιηθεί ως ετικέτα στοιχείου (π.χ..: \"nom\")", + "The zoom and center have been setted.": "Το επίπεδο εστίασης και το κέντρο του χάρτη έχουν ρυθμιστεί.", "To use if remote server doesn't allow cross domain (slower)": "Για χρήση εάν ο απομακρυσμένος διακομιστής δεν επιτρέπει cross domain (πιο αργή)", - "To zoom": "Για Μεγέθυνση ", + "To zoom": "Για εστίαση", "Toggle edit mode (Shift+Click)": "Εναλλαγή λειτουργίας επεξεργασίας (Shift+Click)", "Transfer shape to edited feature": "Μεταφορά σχήματος σε επεξεργασμένο στοιχείο", "Transform to lines": "Μετασχηματισμός σε γραμμές", "Transform to polygon": "Μετασχηματισμός σε πολύγωνο", "Type of layer": "Τύπος επιπέδου", - "Unable to detect format of file {filename}": "Δεν είναι δυνατή η αναγνώριση της μορφής αρχείου {filename}", - "Untitled layer": "Επίπεδο χωρίς όνομα ", + "Unable to detect format of file {filename}": "Δεν είναι δυνατή η αναγνώριση της μορφοποίησης του αρχείου {filename}", + "Untitled layer": "Επίπεδο χωρίς όνομα", "Untitled map": "Χάρτης χωρίς όνομα", - "Update permissions": "Ενημέρωση δικαιωμάτων ", - "Update permissions and editors": "Ενημέρωση δικαιωμάτων και συντακτών ", + "Update permissions": "Ενημέρωση δικαιωμάτων", + "Update permissions and editors": "Ενημέρωση δικαιωμάτων και συντακτών", "Url": "Σύνδεσμος", - "Use current bounds": "Χρησιμοποίησε αυτά τα όρια", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Χρησιμοποιήστε placeholders με τις ιδιότητες στοιχείο μεταξύ παρενθέσεων, π.χ. {name}, θα αντικατασταθούν δυναμικά από τις αντίστοιχες τιμές ", - "User content credits": "Πιστώσεις περιεχομένου χρήστη", + "Use current bounds": "Χρήση τρεχόντων ορίων", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Χρησιμοποιήστε σύμβολα υποκατάστασης με τις ιδιότητες του στοιχείου μεταξύ αγκυλών, π.χ. {name}, θα αντικατασταθούν δυναμικά από τις αντίστοιχες τιμές.", + "User content credits": "Εύσημα περιεχομένου χρήστη", "User interface options": "Επιλογές περιβάλλοντος χρήστη", "Versions": "Εκδόσεις", - "View Fullscreen": "Εμφάνιση πλήρους οθόνης", + "View Fullscreen": "Προβολή πλήρους οθόνης", "Where do we go from here?": "Πού πάμε από εδώ;", - "Whether to display or not polygons paths.": "Είτε πρόκειται να εμφανίσετε είτε όχι οδεύσεις πολυγώνων.", - "Whether to fill polygons with color.": "Είτε πρόκειται να γεμίσετε πολύγωνα με χρώμα.", + "Whether to display or not polygons paths.": "Εάν πρόκειται να εμφανίσετε ή όχι μονοπάτια πολυγώνων.", + "Whether to fill polygons with color.": "Εάν πρόκειται να γεμίσετε πολύγωνα με χρώμα.", "Who can edit": "Ποιος μπορεί να επεξεργαστεί", "Who can view": "Ποιος μπορεί να δει", "Will be displayed in the bottom right corner of the map": "Θα εμφανιστεί στην κάτω δεξιά γωνία του χάρτη", "Will be visible in the caption of the map": "Θα είναι ορατό στη λεζάντα του χάρτη", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Οχ!! Κάποιος άλλος φαίνεται να έχει επεξεργαστεί τα δεδομένα. Μπορείτε να αποθηκεύσετε ούτως ή άλλως, αλλά αυτό θα διαγράψει τις αλλαγές που έγιναν από άλλους.", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Οπς! Κάποιος άλλος φαίνεται πως έχει επεξεργαστεί τα δεδομένα. Μπορείτε να αποθηκεύσετε ούτως ή άλλως, αλλά αυτό θα διαγράψει τις αλλαγές που έγιναν από άλλους.", "You have unsaved changes.": "Έχετε μη αποθηκευμένες αλλαγές.", - "Zoom in": "Μεγέθυνση ", - "Zoom level for automatic zooms": "Επίπεδο ζουμ για αυτόματες μεγεθύνσεις/σμικρύνσεις ", - "Zoom out": "Σμίκρυνση ", - "Zoom to layer extent": "Μεγέθυνε στο χώρο κάλυψης του επίπεδου ", - "Zoom to the next": "Μεγέθυνση στο επόμενο", - "Zoom to the previous": "Μεγέθυνση στο προηγούμενο", - "Zoom to this feature": "Μεγέθυνε σε αυτό το στοιχείο", - "Zoom to this place": "Μεγέθυνση σε αυτό το μέρος", + "Zoom in": "Μεγέθυνση", + "Zoom level for automatic zooms": "Επίπεδο εστίασης για αυτόματες μεγεθύνσεις/σμικρύνσεις", + "Zoom out": "Σμίκρυνση", + "Zoom to layer extent": "Εστίαση στο χώρο κάλυψης του επίπεδου", + "Zoom to the next": "Εστίαση στο επόμενο", + "Zoom to the previous": "Εστίαση στο προηγούμενο", + "Zoom to this feature": "Εστίαση σε αυτό το στοιχείο", + "Zoom to this place": "Εστίαση σε αυτή την τοποθεσία", "attribution": "Αναφορά", "by": "από", - "display name": "εμφάνιση ονόματος ", - "height": "ύψος", - "licence": "άδεια", - "max East": "μέγιστο ανατολικό ", - "max North": "Μέγιστο Βόρειο ", - "max South": "Μέγιστο Νότιο", - "max West": "Μέγιστο Δυτικό ", - "max zoom": "Μέγιστη Μεγέθυνση ", - "min zoom": "Ελάχιστη σμίκρυνση ", - "next": "επόμενο", - "previous": "προηγούμενο", - "width": "πλάτος", - "{count} errors during import: {message}": "{count} σφάλματα κατά την εισαγωγή:{message}", - "Measure distances": "Μέτρηση αποστάσεων ", + "display name": "Όνομα που εμφανίζεται", + "height": "Ύψος", + "licence": "Άδεια", + "max East": "Μέγιστο ανατολικά", + "max North": "Μέγιστο βόρεια", + "max South": "Μέγιστο νότια", + "max West": "Μέγιστο δυτικά", + "max zoom": "Μέγιστη εστίαση", + "min zoom": "Ελάχιστη εστίαση", + "next": "Επόμενο", + "previous": "Προηγούμενο", + "width": "Πλάτος", + "{count} errors during import: {message}": "{count} σφάλματα κατά την εισαγωγή: {message}", + "Measure distances": "Μέτρηση αποστάσεων", "NM": "ΝΜ", - "kilometers": "Χιλιόμετρα ", - "km": "χλμ", - "mi": "μλ", - "miles": "μίλια ", + "kilometers": "Χιλιόμετρα", + "km": "χλμ.", + "mi": "μλ.", + "miles": "Μίλια", "nautical miles": "Ναυτικά μίλια", - "{area} acres": "{area} acres", - "{area} ha": "{area} ha - Εκτάρια ", + "{area} acres": "{area} άκρα", + "{area} ha": "{area} εκτάρια", "{area} m²": "{area} m²", "{area} mi²": "{area} mi²", "{area} yd²": "{area} yd²", "{distance} NM": "{distance} NM", - "{distance} km": "{distance} χλμ", - "{distance} m": "{distance} μ", - "{distance} miles": "{distance} μίλια ", - "{distance} yd": "{distance} yd", + "{distance} km": "{distance} χλμ.", + "{distance} m": "{distance} μ.", + "{distance} miles": "{distance} μίλια", + "{distance} yd": "{distance} γιάρδες", "1 day": "1 μέρα", "1 hour": "1 ώρα", "5 min": "5 λεπτά", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", + "Cache proxied request": "Αίτημα μεσολάβησης προσωρινής μνήμης", + "No cache": "Δεν υπάρχει προσωρινή μνήμη", "Popup": "Αναδυόμενο", - "Popup (large)": "Αναδυόμενο (μεγάλο) ", - "Popup content style": "Στυλ περιεχομένου αναδυόμενου ", - "Popup shape": "Σχήμα αναδυόμενου ", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "Optional.", - "Paste your data here": "Paste your data here", - "Please save the map first": "Please save the map first", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} + "Popup (large)": "Αναδυόμενο (μεγάλο)", + "Popup content style": "Στυλ περιεχομένου αναδυόμενου", + "Popup shape": "Σχήμα αναδυόμενου", + "Skipping unknown geometry.type: {type}": "Παράλειψη άγνωστου geometry.type: {type}", + "Optional.": "Προαιρετικό", + "Paste your data here": "Επικόλληση των δεδομένων σας εδώ", + "Please save the map first": "Παρακαλώ αποθηκεύστε τον χάρτη πρώτα", + "Unable to locate you.": "Αδυναμία εντοπισμού της τοποθεσίας σας.", + "Feature identifier key": "Κλειδί αναγνώρισης στοιχείου", + "Open current feature on load": "Άνοιγμα τρέχοντος στοιχείου κατά τη φόρτωση", + "Permalink": "Μόνιμος σύνδεσμος", + "The name of the property to use as feature unique identifier.": "Το όνομα της ιδιότητας που θα χρησιμοποιείται ως μοναδικό αναγνωριστικό." +} \ No newline at end of file diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index f111f462..91545416 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -1,374 +1,374 @@ { - "Add symbol": "Add symbol", - "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", - "Automatic": "Automatic", - "Ball": "Ball", - "Cancel": "Cancel", - "Caption": "Caption", - "Change symbol": "Change symbol", - "Choose the data format": "Choose the data format", - "Choose the layer of the feature": "Choose the layer of the feature", - "Circle": "Circle", - "Clustered": "Clustered", - "Data browser": "Data browser", - "Default": "Default", - "Default zoom level": "Default zoom level", - "Default: name": "Default: name", - "Display label": "Display label", - "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", - "Display the data layers control": "Display the data layers control", - "Display the embed control": "Display the embed control", - "Display the fullscreen control": "Display the fullscreen control", - "Display the locate control": "Display the locate control", - "Display the measure control": "Display the measure control", - "Display the search control": "Display the search control", - "Display the tile layers control": "Display the tile layers control", - "Display the zoom control": "Display the zoom control", - "Do you want to display a caption bar?": "Do you want to display a caption bar?", - "Do you want to display a minimap?": "Do you want to display a minimap?", - "Do you want to display a panel on load?": "Do you want to display a panel on load?", - "Do you want to display popup footer?": "Do you want to display popup footer?", - "Do you want to display the scale control?": "Do you want to display the scale control?", - "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Drop", - "GeoRSS (only link)": "GeoRSS (only link)", - "GeoRSS (title + image)": "GeoRSS (title + image)", - "Heatmap": "Heatmap", - "Icon shape": "Icon shape", - "Icon symbol": "Icon symbol", - "Inherit": "Inherit", - "Label direction": "Label direction", - "Label key": "Label key", - "Labels are clickable": "Labels are clickable", - "None": "None", - "On the bottom": "On the bottom", - "On the left": "On the left", - "On the right": "On the right", - "On the top": "On the top", - "Popup content template": "Popup content template", - "Set symbol": "Set symbol", - "Side panel": "Side panel", - "Simplify": "Simplify", - "Symbol or url": "Symbol or url", - "Table": "Table", - "always": "always", - "clear": "clear", - "collapsed": "collapsed", - "color": "color", - "dash array": "dash array", - "define": "define", - "description": "description", - "expanded": "expanded", - "fill": "fill", - "fill color": "fill color", - "fill opacity": "fill opacity", - "hidden": "hidden", + "Add symbol": "Tambah simbol", + "Allow scroll wheel zoom?": "Benarkan zum dengan roda tatal?", + "Automatic": "Automatik", + "Ball": "Bola", + "Cancel": "Batal", + "Caption": "Keterangan", + "Change symbol": "Tukar simbol", + "Choose the data format": "Pilih format data", + "Choose the layer of the feature": "Pilih lapisan bagi sifat", + "Circle": "Bulatan", + "Clustered": "Berkelompok", + "Data browser": "Pelayar data", + "Default": "Lalai", + "Default zoom level": "Tahap zum lalai", + "Default: name": "Lalai: nama", + "Display label": "Label paparan", + "Display the control to open OpenStreetMap editor": "Paparkan kawalan untuk buka penyunting OpenStreetMap", + "Display the data layers control": "Paparkan kawalan lapisan data", + "Display the embed control": "Paparkan kawalan benaman", + "Display the fullscreen control": "Paparkan kawalan skrin penuh", + "Display the locate control": "Paparkan kawalan kesan kedudukan", + "Display the measure control": "Paparkan kawalan pengukuran", + "Display the search control": "Paparkan kawalan gelintar", + "Display the tile layers control": "Paparkan kawalan lapisan jubin", + "Display the zoom control": "Paparkan kawalan zum", + "Do you want to display a caption bar?": "Adakah anda ingin paparkan bar keterangan?", + "Do you want to display a minimap?": "Adakah anda ingin paparkan peta mini?", + "Do you want to display a panel on load?": "Adakah anda ingin paparkan panel ketika dimuatkan?", + "Do you want to display popup footer?": "Adakah anda ingin paparkan pengaki timbul?", + "Do you want to display the scale control?": "Adakah anda ingin paparkan kawalan skala?", + "Do you want to display the «more» control?": "Adakah anda ingin paparkan kawalan «lebih lagi»?", + "Drop": "Jatuhkan", + "GeoRSS (only link)": "GeoRSS (pautan sahaja)", + "GeoRSS (title + image)": "GeoRSS (tajuk + imej)", + "Heatmap": "Peta tompokan", + "Icon shape": "Bentuk ikon", + "Icon symbol": "Simbol ikon", + "Inherit": "Warisi", + "Label direction": "Arah label", + "Label key": "Kekunci label", + "Labels are clickable": "Label boleh diklik", + "None": "Tiada", + "On the bottom": "Di bawah", + "On the left": "Di kiri", + "On the right": "Di kanan", + "On the top": "Di atas", + "Popup content template": "Templat kandungan tetingkap timbul", + "Set symbol": "Simbol set", + "Side panel": "Panel sisi", + "Simplify": "Permudahkan", + "Symbol or url": "Simbol atau url", + "Table": "Meja", + "always": "sentiasa", + "clear": "kosongkan", + "collapsed": "dijatuhkan", + "color": "warna", + "dash array": "tatasusunan sengkang", + "define": "takrif", + "description": "keterangan", + "expanded": "dikembangkan", + "fill": "diisi", + "fill color": "warna isian", + "fill opacity": "kelegapan isian", + "hidden": "disembunyikan", "iframe": "iframe", - "inherit": "inherit", - "name": "name", - "never": "never", - "new window": "new window", - "no": "no", - "on hover": "on hover", - "opacity": "opacity", - "parent window": "parent window", - "stroke": "stroke", - "weight": "weight", - "yes": "yes", - "{delay} seconds": "{delay} seconds", - "# one hash for main heading": "# one hash for main heading", - "## two hashes for second heading": "## two hashes for second heading", - "### three hashes for third heading": "### three hashes for third heading", - "**double star for bold**": "**double star for bold**", - "*simple star for italic*": "*simple star for italic*", - "--- for an horizontal rule": "--- for an horizontal rule", - "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".", - "About": "About", - "Action not allowed :(": "Action not allowed :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Add a layer", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Add a new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Advanced actions", - "Advanced properties": "Advanced properties", - "Advanced transition": "Advanced transition", - "All properties are imported.": "All properties are imported.", - "Allow interactions": "Allow interactions", - "An error occured": "An error occured", - "Are you sure you want to cancel your changes?": "Are you sure you want to cancel your changes?", - "Are you sure you want to clone this map and all its datalayers?": "Are you sure you want to clone this map and all its datalayers?", - "Are you sure you want to delete the feature?": "Are you sure you want to delete the feature?", - "Are you sure you want to delete this layer?": "Are you sure you want to delete this layer?", - "Are you sure you want to delete this map?": "Are you sure you want to delete this map?", - "Are you sure you want to delete this property on all the features?": "Are you sure you want to delete this property on all the features?", - "Are you sure you want to restore this version?": "Are you sure you want to restore this version?", - "Attach the map to my account": "Attach the map to my account", + "inherit": "warisi", + "name": "nama", + "never": "tidak pernah", + "new window": "tetingkap baharu", + "no": "tidak", + "on hover": "ketika dilalukan tetikus", + "opacity": "kelegapan", + "parent window": "tetingkap induk", + "stroke": "lejang", + "weight": "tebal", + "yes": "ya", + "{delay} seconds": "{delay} saat", + "# one hash for main heading": "# satu tanda pagar untuk tajuk utama", + "## two hashes for second heading": "## dua tanda pagar untuk tajuk kedua", + "### three hashes for third heading": "### tiga tanda pagar untuk tajuk ketiga", + "**double star for bold**": "**bintang berganda untuk tulisan tebal**", + "*simple star for italic*": "*bintang tunggal untuk tulisan condong*", + "--- for an horizontal rule": "--- untuk garis melintang", + "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Senarai berpisahkan koma bagi nombor yang menentukan corak sengkang lejang. Cth.: \"5, 10, 15\".", + "About": "Perihalan", + "Action not allowed :(": "Tindakan tidak dibenarkan :(", + "Activate slideshow mode": "Aktifkan mod persembahan slaid", + "Add a layer": "Tambah lapisan", + "Add a line to the current multi": "Tambah garisan ke multi semasa", + "Add a new property": "Tambah ciri-ciri baharu", + "Add a polygon to the current multi": "Tambah poligon ke multi semasa", + "Advanced actions": "Tindakan lanjutan", + "Advanced properties": "Ciri-ciri lanjutan", + "Advanced transition": "Peralihan lanjutan", + "All properties are imported.": "Semua ciri-ciri telah diimport.", + "Allow interactions": "Benarkan interaksi", + "An error occured": "Telah berlakunya ralat", + "Are you sure you want to cancel your changes?": "Adakah anda ingin membatalkan perubahan anda?", + "Are you sure you want to clone this map and all its datalayers?": "Adakah anda ingin klon peta ini serta semua lapisan datanya?", + "Are you sure you want to delete the feature?": "Adakah anda ingin padam ciri-ciri dipilih?", + "Are you sure you want to delete this layer?": "Adakah anda ingin memadamkan lapisan ini?", + "Are you sure you want to delete this map?": "Adakah anda ingin memadamkan peta ini?", + "Are you sure you want to delete this property on all the features?": "Adakah anda ingin memadamkan ciri-ciri ini di kesemua sifat?", + "Are you sure you want to restore this version?": "Adakah anda ingin memulihkan versi ini?", + "Attach the map to my account": "Lampirkan peta ke akaun saya", "Auto": "Auto", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Bring feature to center", - "Browse data": "Browse data", - "Cancel edits": "Cancel edits", - "Center map on your location": "Center map on your location", - "Change map background": "Change map background", - "Change tilelayers": "Change tilelayers", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Choose the format of the data to import", - "Choose the layer to import in": "Choose the layer to import in", - "Click last point to finish shape": "Click last point to finish shape", - "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", - "Click to edit": "Click to edit", - "Click to start drawing a line": "Click to start drawing a line", - "Click to start drawing a polygon": "Click to start drawing a polygon", - "Clone": "Clone", - "Clone of {name}": "Clone of {name}", - "Clone this feature": "Clone this feature", - "Clone this map": "Clone this map", - "Close": "Close", - "Clustering radius": "Clustering radius", - "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordinates", - "Credits": "Credits", - "Current view instead of default map view?": "Current view instead of default map view?", - "Custom background": "Custom background", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Default properties", - "Default shape properties": "Default shape properties", - "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Delete", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Delete this feature", - "Delete this property on all the features": "Delete this property on all the features", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", - "Directions from here": "Directions from here", - "Disable editing": "Disable editing", - "Display measure": "Display measure", - "Display on load": "Display on load", - "Download": "Download", - "Download data": "Download data", - "Drag to reorder": "Drag to reorder", - "Draw a line": "Draw a line", - "Draw a marker": "Draw a marker", - "Draw a polygon": "Draw a polygon", - "Draw a polyline": "Draw a polyline", - "Dynamic": "Dynamic", - "Dynamic properties": "Dynamic properties", - "Edit": "Edit", - "Edit feature's layer": "Edit feature's layer", - "Edit map properties": "Edit map properties", - "Edit map settings": "Edit map settings", - "Edit properties in a table": "Edit properties in a table", - "Edit this feature": "Edit this feature", - "Editing": "Editing", - "Embed and share this map": "Embed and share this map", - "Embed the map": "Embed the map", - "Empty": "Empty", - "Enable editing": "Enable editing", - "Error in the tilelayer URL": "Error in the tilelayer URL", - "Error while fetching {url}": "Error while fetching {url}", - "Exit Fullscreen": "Exit Fullscreen", - "Extract shape to separate feature": "Extract shape to separate feature", - "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", - "Filter…": "Filter…", + "Autostart when map is loaded": "Automula apabila peta dimuatkan", + "Bring feature to center": "Bawa sifat ke tengah", + "Browse data": "Layari data", + "Cancel edits": "Batalkan suntingan", + "Center map on your location": "Ketengahkan peta ke kedudukan anda", + "Change map background": "Tukar latar belakang peta", + "Change tilelayers": "Tukar lapisan jubin", + "Choose a preset": "Pilih pratetapan", + "Choose the format of the data to import": "Pilih format data yang ingin diimport", + "Choose the layer to import in": "Pilih lapisan untuk diimport", + "Click last point to finish shape": "Klik titik akhir untuk lengkapkan bentuk", + "Click to add a marker": "Klik untuk tambahkan penanda", + "Click to continue drawing": "Klik untuk terus melukis", + "Click to edit": "Klik untuk menyunting", + "Click to start drawing a line": "Klik untuk mula melukis garisan", + "Click to start drawing a polygon": "Klik untuk mula melukis poligon", + "Clone": "Klon", + "Clone of {name}": "Klon {name}", + "Clone this feature": "Klon sifat ini", + "Clone this map": "Klon peta ini", + "Close": "Tutup", + "Clustering radius": "Jejari kelompok", + "Comma separated list of properties to use when filtering features": "Senarai berpisahkan koma bagi ciri-ciri untuk digunakan ketika menapis sifat", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Nilai dipisahkan dengan koma, tab atau koma bertitik. SRS WGS84 diimplikasikan. Hanya geometri Titik diimport. Import akan lihat pada kepala lajur untuk sebarang sebutan «lat» dan «lon» di bahagian permulaan pengepala, tak peka besar huruf. Kesemua lajur lain diimport sebagai ciri-ciri.", + "Continue line": "Garis sambung", + "Continue line (Ctrl+Click)": "Garis sambung (Ctrl+Klik)", + "Coordinates": "Koordinat", + "Credits": "Penghargaan", + "Current view instead of default map view?": "Pandangan semasa menggantikan pandangan peta lalai?", + "Custom background": "Latar belakang tersuai", + "Data is browsable": "Data boleh layar", + "Default interaction options": "Pilihan interaksi lalai", + "Default properties": "Ciri-ciri lalai", + "Default shape properties": "Ciri-ciri bentuk lalai", + "Define link to open in a new window on polygon click.": "Tetapkan pautan untuk buka dalam tetingkap baharu apabila poligon diklik", + "Delay between two transitions when in play mode": "Lengah di antara dua peralihan apabila dalam mod main", + "Delete": "Padam", + "Delete all layers": "Padam semua lapisan", + "Delete layer": "Padam lapisan", + "Delete this feature": "Padam sifat ini", + "Delete this property on all the features": "Padam sifat ini di kesemua ciri-ciri", + "Delete this shape": "Padam bentuk ini", + "Delete this vertex (Alt+Click)": "Padam bucu ini (Alt+Klik)", + "Directions from here": "Arah dari sini", + "Disable editing": "Lumpuhkan suntingan", + "Display measure": "Paparkan ukuran", + "Display on load": "Paparkan semasa dimuatkan", + "Download": "Muat turun", + "Download data": "Muat turun data", + "Drag to reorder": "Seret untuk susun semula", + "Draw a line": "Lukis garisan", + "Draw a marker": "Lukis penanda", + "Draw a polygon": "Lukis poligon", + "Draw a polyline": "Lukis poligaris", + "Dynamic": "Dinamik", + "Dynamic properties": "Ciri-ciri dinamik", + "Edit": "Sunting", + "Edit feature's layer": "Sunting lapisan sifat", + "Edit map properties": "Sunting ciri-ciri peta", + "Edit map settings": "Sunting tetapan peta", + "Edit properties in a table": "Sunting ciri-ciri dalam jadual", + "Edit this feature": "Sunting sifat ini", + "Editing": "Suntingan", + "Embed and share this map": "Benam dan kongsi peta ini", + "Embed the map": "Benamkan peta", + "Empty": "Kosongkan", + "Enable editing": "Bolehkan suntingan", + "Error in the tilelayer URL": "Ralat dalam URL lapisan jubin", + "Error while fetching {url}": "Ralat ketika mengambil {url}", + "Exit Fullscreen": "Keluar Skrin Penuh", + "Extract shape to separate feature": "Sarikan bentuk untuk memisahkan sifat", + "Fetch data each time map view changes.": "Ambil data setiap kali pandangan peta berubah.", + "Filter keys": "Kekunci tapisan", + "Filter…": "Tapis…", "Format": "Format", - "From zoom": "From zoom", - "Full map data": "Full map data", - "Go to «{feature}»": "Go to «{feature}»", - "Heatmap intensity property": "Heatmap intensity property", - "Heatmap radius": "Heatmap radius", - "Help": "Help", - "Hide controls": "Hide controls", - "Home": "Home", - "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", - "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", - "Iframe export options": "Iframe export options", - "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", + "From zoom": "Dari zum", + "Full map data": "Data peta penuh", + "Go to «{feature}»": "Pergi ke «{feature}»", + "Heatmap intensity property": "Ciri-ciri kematan peta tompokan", + "Heatmap radius": "Jejari peta tompokan", + "Help": "Bantuan", + "Hide controls": "Sembunyikan kawalan", + "Home": "Laman utama", + "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Berapa banyak untuk dipermudahkan bagi poligaris di setiap tahap zum (lebih banyak = lebih tinggi prestasi dan rupa lebih halus, lebih sedikit = lebih tepat)", + "If false, the polygon will act as a part of the underlying map.": "Jika salah, poligon akan bertindak sebagai sebahagian daripada peta di bawah.", + "Iframe export options": "Pilihan eksport iframe", + "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe dengan tinggi tersuai (dalam px): {{{http://iframe.url.com|height}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe dengan tinggi dan lebar tersuai (dalam px): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", - "Image with custom width (in px): {{http://image.url.com|width}}": "Image with custom width (in px): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", + "Image with custom width (in px): {{http://image.url.com|width}}": "Imej dengan lebar tersuai (dalam px): {{http://image.url.com|width}}", + "Image: {{http://image.url.com}}": "Imej: {{http://image.url.com}}", "Import": "Import", "Import data": "Import data", - "Import in a new layer": "Import in a new layer", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", - "Interaction options": "Interaction options", - "Invalid umap data": "Invalid umap data", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", - "Keep current visible layers": "Keep current visible layers", - "Latitude": "Latitude", - "Layer": "Layer", - "Layer properties": "Layer properties", - "Licence": "Licence", - "Limit bounds": "Limit bounds", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Link with text: [[http://example.com|text of the link]]", - "Long credits": "Long credits", - "Longitude": "Longitude", - "Make main shape": "Make main shape", - "Manage layers": "Manage layers", - "Map background credits": "Map background credits", - "Map has been attached to your account": "Map has been attached to your account", - "Map has been saved!": "Map has been saved!", - "Map user content has been published under licence": "Map user content has been published under licence", - "Map's editors": "Map's editors", - "Map's owner": "Map's owner", - "Merge lines": "Merge lines", - "More controls": "More controls", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", - "No licence has been set": "No licence has been set", - "No results": "No results", - "Only visible features will be downloaded.": "Only visible features will be downloaded.", - "Open download panel": "Open download panel", - "Open link in…": "Open link in…", - "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Open this map extent in a map editor to provide more accurate data to OpenStreetMap", - "Optional intensity property for heatmap": "Optional intensity property for heatmap", - "Optional. Same as color if not set.": "Optional. Same as color if not set.", - "Override clustering radius (default 80)": "Override clustering radius (default 80)", - "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", - "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", - "Please choose a format": "Please choose a format", - "Please enter the name of the property": "Please enter the name of the property", - "Please enter the new name of this property": "Please enter the new name of this property", - "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", - "Problem in the response": "Problem in the response", - "Problem in the response format": "Problem in the response format", - "Properties imported:": "Properties imported:", - "Property to use for sorting features": "Property to use for sorting features", - "Provide an URL here": "Provide an URL here", - "Proxy request": "Proxy request", - "Remote data": "Remote data", - "Remove shape from the multi": "Remove shape from the multi", - "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", - "Save": "Save", - "Save anyway": "Save anyway", - "Save current edits": "Save current edits", - "Save this center and zoom": "Save this center and zoom", - "Save this location as new feature": "Save this location as new feature", - "Search a place name": "Search a place name", - "Search location": "Search location", - "Secret edit link is:
{link}": "Secret edit link is:
{link}", - "See all": "See all", - "See data layers": "See data layers", - "See full screen": "See full screen", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", - "Short URL": "Short URL", - "Short credits": "Short credits", - "Show/hide layer": "Show/hide layer", - "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", - "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", - "Split line": "Split line", - "Start a hole here": "Start a hole here", - "Start editing": "Start editing", - "Start slideshow": "Start slideshow", - "Stop editing": "Stop editing", - "Stop slideshow": "Stop slideshow", - "Supported scheme": "Supported scheme", - "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", - "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.", - "TMS format": "TMS format", - "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", - "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "The zoom and center have been set.", - "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", - "To zoom": "To zoom", - "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", - "Transfer shape to edited feature": "Transfer shape to edited feature", - "Transform to lines": "Transform to lines", - "Transform to polygon": "Transform to polygon", - "Type of layer": "Type of layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", - "Untitled layer": "Untitled layer", - "Untitled map": "Untitled map", - "Update permissions": "Update permissions", - "Update permissions and editors": "Update permissions and editors", + "Import in a new layer": "Import ke lapisan baharu", + "Imports all umap data, including layers and settings.": "Import semua data umap, termasuk lapisan dan tetapan.", + "Include full screen link?": "Sertakan pautan skrin penuh?", + "Interaction options": "Pilihan interaksi", + "Invalid umap data": "Data umap tidak sah", + "Invalid umap data in {filename}": "Data umap tidak sah dalam {filename}", + "Keep current visible layers": "Kekalkan lapisan yang kelihatan sekarang", + "Latitude": "Latitud", + "Layer": "Lapisan", + "Layer properties": "Ciri-ciri lapisan", + "Licence": "Lesen", + "Limit bounds": "Had batas", + "Link to…": "Pautkan ke…", + "Link with text: [[http://example.com|text of the link]]": "Pautkan dengan tulisan: [[http://example.com|tulisan pautan]]", + "Long credits": "Penghargaan penuh", + "Longitude": "Longitud", + "Make main shape": "Buatkan bentuk utama", + "Manage layers": "Urus lapisan", + "Map background credits": "Penghargaan latar belakang peta", + "Map has been attached to your account": "Peta telah dilampirkan ke akaun anda", + "Map has been saved!": "Peta telah disimpan!", + "Map user content has been published under licence": "Kandungan pengguna peta telah diterbitkan di bawah lesen", + "Map's editors": "Penyunting peta", + "Map's owner": "Pemilik peta", + "Merge lines": "Gabungkan garisan", + "More controls": "Lebih banyak kawalan", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Mestilah nilai CSS yang sah (cth.: DarkBlue atau #123456)", + "No licence has been set": "Tiada lesen ditetapkan", + "No results": "Tiada hasil", + "Only visible features will be downloaded.": "Hanya sifat kelihatan sahaja akan dimuat turun.", + "Open download panel": "Buka panel muat turun", + "Open link in…": "Buka pautan dalam…", + "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Buka takat peta ini dalam penyunting peta untuk menyediakan data yang lebih tepat ke OpenStreetMap", + "Optional intensity property for heatmap": "Ciri-ciri keamatan pilihan untuk peta tompokan", + "Optional. Same as color if not set.": "Pilihan. Sama seperti warna jika tidak ditetapkan.", + "Override clustering radius (default 80)": "Menggantikan jejari kelompok (nilai lalai 80)", + "Override heatmap radius (default 25)": "Menggantikan jejari peta tompokan (nilai lalai 25)", + "Please be sure the licence is compliant with your use.": "Sila pastikan lesen menurut kegunaan anda.", + "Please choose a format": "Sila pilih format", + "Please enter the name of the property": "Sila masukkan nama ciri-ciri", + "Please enter the new name of this property": "Sila masukkan nama baharu bagi ciri-ciri ini", + "Powered by Leaflet and Django, glued by uMap project.": "Dikuasakan oleh Leaflet dan Django, dicantumkan oleh projek uMap.", + "Problem in the response": "Masalah dalam tindak balas", + "Problem in the response format": "Masalah dalam format tindak balas", + "Properties imported:": "Ciri-ciri diimport:", + "Property to use for sorting features": "Ciri-ciri untuk digunakan bagi mengisih sifat", + "Provide an URL here": "Sediakan URL di sini", + "Proxy request": "Permintaan proksi", + "Remote data": "Data jarak jauh", + "Remove shape from the multi": "Buang bentuk daripada multi", + "Rename this property on all the features": "Namakan semula sifat ini di kesemua ciri-ciri", + "Replace layer content": "Gantikan kandungan lapisan", + "Restore this version": "Pulihkan versi ini", + "Save": "Simpan", + "Save anyway": "Simpan juga apa pun", + "Save current edits": "Simpan suntingan semasa", + "Save this center and zoom": "Simpan tengah ini dan zum", + "Save this location as new feature": "Simpan kedudukan ini sebagai ciri-ciri baharu", + "Search a place name": "Cari nama tempat", + "Search location": "Kedudukan carian", + "Secret edit link is:
{link}": "Pautan suntingan rahsia ialah:
{link}", + "See all": "Lihat semua", + "See data layers": "Lihat lapisan data", + "See full screen": "Lihat skrin penuh", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Tetapkan ke salah untuk menyembunyikan lapisan ini daripada persembahan slaid, pelayar data, navigasi timbul…", + "Shape properties": "Ciri-ciri bentuk", + "Short URL": "URL pendek", + "Short credits": "Penghargaan pendek", + "Show/hide layer": "Tunjuk/sembunyi lapisan", + "Simple link: [[http://example.com]]": "Pautan ringkas: [[http://example.com]]", + "Slideshow": "Persembahan slaid", + "Smart transitions": "Peralihan pintar", + "Sort key": "Kekunci isihan", + "Split line": "Garisan pemisah", + "Start a hole here": "Mulakan lubang di sini", + "Start editing": "Mula menyunting", + "Start slideshow": "Mulakan persembahan slaid", + "Stop editing": "Berhenti menyunting", + "Stop slideshow": "Berhenti persembahan slaid", + "Supported scheme": "Skema disokong", + "Supported variables that will be dynamically replaced": "Pemboleh ubah disokong yang akan digantikan secara dinamik", + "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Simbol boleh jadi aksara unicode atau URL. Anda boleh gunakan ciri-ciri sifat sebagai pemboleh ubah: cth.: dengan \"http://myserver.org/images/{name}.png\", pemboleh ubah {name} akan digantikan dengan nilai \"name\" bagi setiap penanda.", + "TMS format": "Format TMS", + "Text color for the cluster label": "Warna tulisan label kelompok", + "Text formatting": "Format tulisan", + "The name of the property to use as feature label (ex.: \"nom\")": "Nama ciri-ciri untuk digunakan sebagai label sifat (cth.: \"nom\")", + "The zoom and center have been setted.": "Zum dan kedudukan tengah telah ditetapkan.", + "To use if remote server doesn't allow cross domain (slower)": "Untuk digunakan jika pelayan jarak jauh tidak benarkan rentang domain (lebih perlahan)", + "To zoom": "Untuk zum", + "Toggle edit mode (Shift+Click)": "Togol mod suntingan (Shift+Klik)", + "Transfer shape to edited feature": "Pindah bentuk ke sifat yang disunting", + "Transform to lines": "Jelmakan menjadi garisan", + "Transform to polygon": "Jelmakan menjadi poligon", + "Type of layer": "Jenis lapisan", + "Unable to detect format of file {filename}": "Tidak mampu mengesan format fail {filename}", + "Untitled layer": "Lapisan tanpa tajuk", + "Untitled map": "Peta tanpa tajuk", + "Update permissions": "Kemas kini kebenaran", + "Update permissions and editors": "Kemas kini kebenaran dan penyunting", "Url": "Url", - "Use current bounds": "Use current bounds", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", - "User content credits": "User content credits", - "User interface options": "User interface options", - "Versions": "Versions", - "View Fullscreen": "View Fullscreen", - "Where do we go from here?": "Where do we go from here?", - "Whether to display or not polygons paths.": "Whether to display or not polygons paths.", - "Whether to fill polygons with color.": "Whether to fill polygons with color.", - "Who can edit": "Who can edit", - "Who can view": "Who can view", - "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", - "Will be visible in the caption of the map": "Will be visible in the caption of the map", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", - "Zoom in": "Zoom in", - "Zoom level for automatic zooms": "Zoom level for automatic zooms", - "Zoom out": "Zoom out", - "Zoom to layer extent": "Zoom to layer extent", - "Zoom to the next": "Zoom to the next", - "Zoom to the previous": "Zoom to the previous", - "Zoom to this feature": "Zoom to this feature", - "Zoom to this place": "Zoom to this place", - "attribution": "attribution", - "by": "by", - "display name": "display name", - "height": "height", - "licence": "licence", - "max East": "max East", - "max North": "max North", - "max South": "max South", - "max West": "max West", - "max zoom": "max zoom", - "min zoom": "min zoom", - "next": "next", - "previous": "previous", - "width": "width", - "{count} errors during import: {message}": "{count} errors during import: {message}", - "Measure distances": "Measure distances", + "Use current bounds": "Guna batas semasa", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Guna pemegang tempat dengan ciri-ciri sifat di antara tanda kurung, spt. {name}, mereka akan digantikan dengan nilai yang berkenaan secara dinamiknya.", + "User content credits": "Penghargaan kandungan pengguna", + "User interface options": "Pilihan antaramuka pengguna", + "Versions": "Versi", + "View Fullscreen": "Lihat Skrin Penuh", + "Where do we go from here?": "Ke mana kita pergi dari sini?", + "Whether to display or not polygons paths.": "Sama ada ingin paparkan laluan poligon ataupun tidak.", + "Whether to fill polygons with color.": "Sama ada ingin isikan poligon dengan warna.", + "Who can edit": "Siapa boleh sunting", + "Who can view": "Siapa boleh lihat", + "Will be displayed in the bottom right corner of the map": "Akan dipaparkan di bucu kanan bawah peta", + "Will be visible in the caption of the map": "Akan kelihatan dalam keterangan peta", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Alamak! Nampaknya orang lain telah menyunting data. Anda boleh simpan juga, tetapi ini akan memadam perubahan yang dibuat oleh orang lain.", + "You have unsaved changes.": "Anda ada perubahan yang belum disimpan.", + "Zoom in": "Zum masuk", + "Zoom level for automatic zooms": "Tahap zum bagi zum automatik", + "Zoom out": "Zum keluar", + "Zoom to layer extent": "Zum ke batas lapisan", + "Zoom to the next": "Zum ke seterusnya", + "Zoom to the previous": "Zum ke sebelumnya", + "Zoom to this feature": "Zum ke sifat ini", + "Zoom to this place": "Zum ke tempat ini", + "attribution": "atribusi", + "by": "oleh", + "display name": "nama paparan", + "height": "tinggi", + "licence": "lesen", + "max East": "Timur maksimum", + "max North": "Utara maksimum", + "max South": "Selatan maksimum", + "max West": "Barat maksimum", + "max zoom": "zum maksimum", + "min zoom": "zum minimum", + "next": "seterusnya", + "previous": "sebelumnya", + "width": "lebar", + "{count} errors during import: {message}": "{count} ralat ketika import: {message}", + "Measure distances": "Ukur jarak", "NM": "NM", - "kilometers": "kilometers", + "kilometers": "kilometer", "km": "km", - "mi": "mi", - "miles": "miles", - "nautical miles": "nautical miles", - "{area} acres": "{area} acres", - "{area} ha": "{area} ha", - "{area} m²": "{area} m²", - "{area} mi²": "{area} mi²", - "{area} yd²": "{area} yd²", - "{distance} NM": "{distance} NM", - "{distance} km": "{distance} km", - "{distance} m": "{distance} m", - "{distance} miles": "{distance} miles", - "{distance} yd": "{distance} yd", - "1 day": "1 day", - "1 hour": "1 hour", - "5 min": "5 min", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", - "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "Optional.", - "Paste your data here": "Paste your data here", - "Please save the map first": "Please save the map first", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "mi": "bt", + "miles": "batu", + "nautical miles": "batu nautika", + "{area} acres": "{area} ekar", + "{area} ha": "{area} hektar", + "{area} m²": "{area} meter²", + "{area} mi²": "{area} batu²", + "{area} yd²": "{area} ela²", + "{distance} NM": "{distance} batu nautika", + "{distance} km": "{distance} kilometer", + "{distance} m": "{distance} meter", + "{distance} miles": "{distance} batu", + "{distance} yd": "{distance} ela", + "1 day": "1 hari", + "1 hour": "1 jam", + "5 min": "5 minit", + "Cache proxied request": "Cache permintaan diproksi", + "No cache": "Tiada cache", + "Popup": "Tetingkap timbul", + "Popup (large)": "Tetingkap timbul (besar)", + "Popup content style": "Gaya kandungan tetingkap timbul", + "Popup shape": "Bentuk tetingkap timbul", + "Skipping unknown geometry.type: {type}": "Melangkau jenis geometri tidak diketahui: {type}", + "Optional.": "Pilihan.", + "Paste your data here": "Tampalkan data anda di sini", + "Please save the map first": "Sila simpan peta terlebih dahulu", + "Unable to locate you.": "Tidak mempu mengesan kedudukan anda.", + "Feature identifier key": "Kekunci pengenalpastian sifat", + "Open current feature on load": "Buka sifat semasa ketika dimuatkan", + "Permalink": "Pautan kekal", + "The name of the property to use as feature unique identifier.": "Nama ciri-ciri untuk digunakan sebagai pengenalpastian unik sifat." } \ No newline at end of file diff --git a/umap/static/umap/locale/pl.js b/umap/static/umap/locale/pl.js index 1241b6bb..5cc49484 100644 --- a/umap/static/umap/locale/pl.js +++ b/umap/static/umap/locale/pl.js @@ -81,7 +81,7 @@ var locale = { "### three hashes for third heading": "### trzy krzyżyki – nagłówek trzeciego poziomu", "**double star for bold**": "**podwójna gwiazdka do pogrubienia**", "*simple star for italic*": "*pojedyncza gwiazdka do pochylenia*", - "--- for an horizontal rule": "--- dla poziomej linii", + "--- for an horizontal rule": "Pozioma linia: ---", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Rozdzielona przecinkami lista liczb, która definiuje wzór kreski linii, np. „5, 10, 15”.", "About": "Informacje", "Action not allowed :(": "Operacja niedozwolona :(", @@ -128,7 +128,7 @@ var locale = { "Close": "Zamknij", "Clustering radius": "Promień grupowania", "Comma separated list of properties to use when filtering features": "Lista właściwości oddzielona przecinkiem do używania przy sortowaniu obiektów", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Wartości powinny być oddzielone przecinkiem, średnikiem lub znakiem tabulacji. Układ współrzędnych WGS84 jest wymagany. Tylko geometrie typu Punkt zostaną zaimportowane. Import sprawdzi nagłówki kolumn czy zawierają \"lat\" i \"lon\" na początku nagłówka, wielkość liter nie ma znaczenia. Wszystkie inne kolumny zostaną zaimportowane jako właściwości tych punktów.", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Wartości powinny być oddzielone przecinkiem, średnikiem lub znakiem tabulacji. Układ współrzędnych WGS84 jest wymagany. Tylko geometrie typu punkt zostaną zaimportowane. Import sprawdzi nagłówki kolumn czy zawierają „lat” i „lon” na początku nagłówka, wielkość liter nie ma znaczenia. Wszystkie inne kolumny zostaną zaimportowane jako właściwości tych punktów.", "Continue line": "Kontynuuj linię", "Continue line (Ctrl+Click)": "Kontynuuj linię (Ctrl+Klik)", "Coordinates": "Współrzędne", @@ -242,7 +242,7 @@ var locale = { "Powered by Leaflet and Django, glued by uMap project.": "Zasilany przez Leaflet i Django, sklejony przez projekt uMap.", "Problem in the response": "Problem z odpowiedzią", "Problem in the response format": "Problem z formatem odpowiedzi", - "Properties imported:": "Importowane właściwości: ", + "Properties imported:": "Importowane właściwości:", "Property to use for sorting features": "Właściwość do sortowania elementów", "Provide an URL here": "Wprowadź tutaj adres URL", "Proxy request": "Żądanie proxy", @@ -262,7 +262,7 @@ var locale = { "See all": "Pokaż wszystko", "See data layers": "Zobacz wszystkie warstwy danych", "See full screen": "Pełny ekran", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Ustaw \"OFF\", żeby ukryć tę warstwę z pokazu slajdów, przeglądarki danych i okienek nawigacji.", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Ustaw „OFF”, żeby ukryć tę warstwę z pokazu slajdów, przeglądarki danych i okienek nawigacji.", "Shape properties": "Właściwości kształtu", "Short URL": "Krótki adres URL", "Short credits": "Krótkie źródło", @@ -279,12 +279,12 @@ var locale = { "Stop slideshow": "Zakończ pokaz", "Supported scheme": "Obsługiwany schemat", "Supported variables that will be dynamically replaced": "Obsługiwane zmienne zostaną dynamicznie zamienione", - "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol może być znakiem Unicode lub adresem URL. Możesz użyć także właściwości obiektów jako zmiennych np. w \"http://myserver.org/images/{name}.png\" zmienna {name} zostanie zastąpiona przez wartość \"name\" każdego znacznika.", + "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol może być znakiem Unicode lub adresem URL. Możesz użyć także właściwości obiektów jako zmiennych np. w „http://myserver.org/images/{name}.png” zmienna {name} zostanie zastąpiona przez wartość „name” każdego znacznika.", "TMS format": "Format TMS", - "Text color for the cluster label": "Kolor tekstu dla etykiety grupy", + "Text color for the cluster label": "Kolor tekstu etykiety grupy", "Text formatting": "Formatowanie tekstu", - "The name of the property to use as feature label (ex.: \"nom\")": "Nazwa właściwości, która ma być używana jako etykieta obiektu (np. \"name\")", - "The zoom and center have been set.": "Przybliżenie i środek zostały ustawione.", + "The name of the property to use as feature label (ex.: \"nom\")": "Nazwa właściwości, która ma być używana jako etykieta obiektu (np. „name”)", + "The zoom and center have been setted.": "Przybliżenie i środek zostały ustawione.", "To use if remote server doesn't allow cross domain (slower)": "Używaj, jeśli zdalny serwer nie zezwala na cross domain (wolne)", "To zoom": "Przybliżać", "Toggle edit mode (Shift+Click)": "Przełącz tryb edycji (Shift+Klik)", @@ -371,7 +371,6 @@ var locale = { "Open current feature on load": "Otwórz bieżący obiekt po załadowaniu", "Permalink": "Bezpośredni odnośnik.", "The name of the property to use as feature unique identifier.": "Nazwa właściwości używana jako unikalny identyfikator obiektu." -} -; +}; L.registerLocale("pl", locale); L.setLocale("pl"); \ No newline at end of file diff --git a/umap/static/umap/locale/pl.json b/umap/static/umap/locale/pl.json index be528d1f..2d9c953a 100644 --- a/umap/static/umap/locale/pl.json +++ b/umap/static/umap/locale/pl.json @@ -81,7 +81,7 @@ "### three hashes for third heading": "### trzy krzyżyki – nagłówek trzeciego poziomu", "**double star for bold**": "**podwójna gwiazdka do pogrubienia**", "*simple star for italic*": "*pojedyncza gwiazdka do pochylenia*", - "--- for an horizontal rule": "--- dla poziomej linii", + "--- for an horizontal rule": "Pozioma linia: ---", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Rozdzielona przecinkami lista liczb, która definiuje wzór kreski linii, np. „5, 10, 15”.", "About": "Informacje", "Action not allowed :(": "Operacja niedozwolona :(", @@ -128,7 +128,7 @@ "Close": "Zamknij", "Clustering radius": "Promień grupowania", "Comma separated list of properties to use when filtering features": "Lista właściwości oddzielona przecinkiem do używania przy sortowaniu obiektów", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Wartości powinny być oddzielone przecinkiem, średnikiem lub znakiem tabulacji. Układ współrzędnych WGS84 jest wymagany. Tylko geometrie typu Punkt zostaną zaimportowane. Import sprawdzi nagłówki kolumn czy zawierają \"lat\" i \"lon\" na początku nagłówka, wielkość liter nie ma znaczenia. Wszystkie inne kolumny zostaną zaimportowane jako właściwości tych punktów.", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Wartości powinny być oddzielone przecinkiem, średnikiem lub znakiem tabulacji. Układ współrzędnych WGS84 jest wymagany. Tylko geometrie typu punkt zostaną zaimportowane. Import sprawdzi nagłówki kolumn czy zawierają „lat” i „lon” na początku nagłówka, wielkość liter nie ma znaczenia. Wszystkie inne kolumny zostaną zaimportowane jako właściwości tych punktów.", "Continue line": "Kontynuuj linię", "Continue line (Ctrl+Click)": "Kontynuuj linię (Ctrl+Klik)", "Coordinates": "Współrzędne", @@ -242,7 +242,7 @@ "Powered by Leaflet and Django, glued by uMap project.": "Zasilany przez Leaflet i Django, sklejony przez projekt uMap.", "Problem in the response": "Problem z odpowiedzią", "Problem in the response format": "Problem z formatem odpowiedzi", - "Properties imported:": "Importowane właściwości: ", + "Properties imported:": "Importowane właściwości:", "Property to use for sorting features": "Właściwość do sortowania elementów", "Provide an URL here": "Wprowadź tutaj adres URL", "Proxy request": "Żądanie proxy", @@ -262,7 +262,7 @@ "See all": "Pokaż wszystko", "See data layers": "Zobacz wszystkie warstwy danych", "See full screen": "Pełny ekran", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Ustaw \"OFF\", żeby ukryć tę warstwę z pokazu slajdów, przeglądarki danych i okienek nawigacji.", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Ustaw „OFF”, żeby ukryć tę warstwę z pokazu slajdów, przeglądarki danych i okienek nawigacji.", "Shape properties": "Właściwości kształtu", "Short URL": "Krótki adres URL", "Short credits": "Krótkie źródło", @@ -279,12 +279,12 @@ "Stop slideshow": "Zakończ pokaz", "Supported scheme": "Obsługiwany schemat", "Supported variables that will be dynamically replaced": "Obsługiwane zmienne zostaną dynamicznie zamienione", - "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol może być znakiem Unicode lub adresem URL. Możesz użyć także właściwości obiektów jako zmiennych np. w \"http://myserver.org/images/{name}.png\" zmienna {name} zostanie zastąpiona przez wartość \"name\" każdego znacznika.", + "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol może być znakiem Unicode lub adresem URL. Możesz użyć także właściwości obiektów jako zmiennych np. w „http://myserver.org/images/{name}.png” zmienna {name} zostanie zastąpiona przez wartość „name” każdego znacznika.", "TMS format": "Format TMS", - "Text color for the cluster label": "Kolor tekstu dla etykiety grupy", + "Text color for the cluster label": "Kolor tekstu etykiety grupy", "Text formatting": "Formatowanie tekstu", - "The name of the property to use as feature label (ex.: \"nom\")": "Nazwa właściwości, która ma być używana jako etykieta obiektu (np. \"name\")", - "The zoom and center have been set.": "Przybliżenie i środek zostały ustawione.", + "The name of the property to use as feature label (ex.: \"nom\")": "Nazwa właściwości, która ma być używana jako etykieta obiektu (np. „name”)", + "The zoom and center have been setted.": "Przybliżenie i środek zostały ustawione.", "To use if remote server doesn't allow cross domain (slower)": "Używaj, jeśli zdalny serwer nie zezwala na cross domain (wolne)", "To zoom": "Przybliżać", "Toggle edit mode (Shift+Click)": "Przełącz tryb edycji (Shift+Klik)", @@ -371,4 +371,4 @@ "Open current feature on load": "Otwórz bieżący obiekt po załadowaniu", "Permalink": "Bezpośredni odnośnik.", "The name of the property to use as feature unique identifier.": "Nazwa właściwości używana jako unikalny identyfikator obiektu." -} +} \ No newline at end of file diff --git a/umap/static/umap/locale/sl.js b/umap/static/umap/locale/sl.js index d789ebf1..aa21c132 100644 --- a/umap/static/umap/locale/sl.js +++ b/umap/static/umap/locale/sl.js @@ -83,7 +83,7 @@ var locale = { "*simple star for italic*": "*enojna zvezdica za ležečo pisavo*", "--- for an horizontal rule": "--- za vodoravno črto", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Z vejilo ločen seznam števil, ki določajo vzorec poteze. Na primer »5, 10, 15«.", - "About": "O programu", + "About": "O zemljevidu", "Action not allowed :(": "Dejanje ni dovoljeno :(", "Activate slideshow mode": "Omogoči predstavitveni način", "Add a layer": "Dodaj plast", @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Barva besedila za oznako polja", "Text formatting": "Oblikovanje besedila", "The name of the property to use as feature label (ex.: \"nom\")": "Ime lastnosti, ki naj se uporabi kot oznaka predmeta (na primer »nom«)", - "The zoom and center have been set.": "Vrednost in središčna točka sta nastavljeni.", + "The zoom and center have been setted.": "Vrednost in središčna točka sta nastavljeni.", "To use if remote server doesn't allow cross domain (slower)": "Za uporabo, ko oddaljeni stražnik ne dovoli vzporednih domen (počasneje)", "To zoom": "Za približanje", "Toggle edit mode (Shift+Click)": "Preklop načina urejanja (Shift+Klik)", @@ -371,7 +371,6 @@ var locale = { "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} -; +}; L.registerLocale("sl", locale); L.setLocale("sl"); \ No newline at end of file diff --git a/umap/static/umap/locale/sl.json b/umap/static/umap/locale/sl.json index 04110dc9..48f4cd23 100644 --- a/umap/static/umap/locale/sl.json +++ b/umap/static/umap/locale/sl.json @@ -83,7 +83,7 @@ "*simple star for italic*": "*enojna zvezdica za ležečo pisavo*", "--- for an horizontal rule": "--- za vodoravno črto", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "Z vejilo ločen seznam števil, ki določajo vzorec poteze. Na primer »5, 10, 15«.", - "About": "O programu", + "About": "O zemljevidu", "Action not allowed :(": "Dejanje ni dovoljeno :(", "Activate slideshow mode": "Omogoči predstavitveni način", "Add a layer": "Dodaj plast", @@ -284,7 +284,7 @@ "Text color for the cluster label": "Barva besedila za oznako polja", "Text formatting": "Oblikovanje besedila", "The name of the property to use as feature label (ex.: \"nom\")": "Ime lastnosti, ki naj se uporabi kot oznaka predmeta (na primer »nom«)", - "The zoom and center have been set.": "Vrednost in središčna točka sta nastavljeni.", + "The zoom and center have been setted.": "Vrednost in središčna točka sta nastavljeni.", "To use if remote server doesn't allow cross domain (slower)": "Za uporabo, ko oddaljeni stražnik ne dovoli vzporednih domen (počasneje)", "To zoom": "Za približanje", "Toggle edit mode (Shift+Click)": "Preklop načina urejanja (Shift+Klik)", @@ -371,4 +371,4 @@ "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} +} \ No newline at end of file diff --git a/umap/static/umap/locale/sv.js b/umap/static/umap/locale/sv.js index c23bb96d..dfc24280 100644 --- a/umap/static/umap/locale/sv.js +++ b/umap/static/umap/locale/sv.js @@ -1,16 +1,16 @@ var locale = { "Add symbol": "Lägg till symbol", - "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "Allow scroll wheel zoom?": "Tillåt zoom med musens rullhjul?", "Automatic": "Automatisk", "Ball": "Knappnål", "Cancel": "Avbryt", - "Caption": "Caption", + "Caption": "Sidfotsfält", "Change symbol": "Ändra symbol", "Choose the data format": "Välj dataformat", "Choose the layer of the feature": "Välj lager för objektet", "Circle": "Cirkel", "Clustered": "Kluster", - "Data browser": "Data browser", + "Data browser": "Databläddrare", "Default": "Förvalt värde", "Default zoom level": "Förvald zoomnivå", "Default: name": "Namn förvalt", @@ -22,56 +22,56 @@ var locale = { "Display the locate control": "Visa lokaliseringsverktyg", "Display the measure control": "Visa mätverktyg", "Display the search control": "Visa sökverktyg", - "Display the tile layers control": "Visa verktyg för tiles (bakgrundslager)", + "Display the tile layers control": "Visa verktyg för bakgrundskarta (tiles)", "Display the zoom control": "Visa zoomverktyg", - "Do you want to display a caption bar?": "Do you want to display a caption bar?", + "Do you want to display a caption bar?": "Vill du visa ett sidfotsfält?", "Do you want to display a minimap?": "Vill du visa en minikarta?", - "Do you want to display a panel on load?": "Do you want to display a panel on load?", - "Do you want to display popup footer?": "Do you want to display popup footer?", - "Do you want to display the scale control?": "Vill du visa verktyget för skala?", - "Do you want to display the «more» control?": "Do you want to display the «more» control?", + "Do you want to display a panel on load?": "Vill du visa en panel vid uppstart?", + "Do you want to display popup footer?": "Vill du visa en sidfot-popup?", + "Do you want to display the scale control?": "Vill du visa skalstocken?", + "Do you want to display the «more» control?": "Vill du visa panelen med \"Fler verktyg\"?", "Drop": "Dropp-nål", - "GeoRSS (only link)": "GeoRSS (only link)", - "GeoRSS (title + image)": "GeoRSS (title + image)", + "GeoRSS (only link)": "GeoRSS (enbart länk)", + "GeoRSS (title + image)": "GeoRSS (titel + bild)", "Heatmap": "Värmekarta", "Icon shape": "Ikonform", "Icon symbol": "Ikonsymbol", "Inherit": "Ärv", "Label direction": "Riktning för etikett", - "Label key": "Label key", + "Label key": "Etikettnyckel", "Labels are clickable": "Klickbara etiketter", "None": "Ingen", - "On the bottom": "On the bottom", - "On the left": "On the left", - "On the right": "On the right", - "On the top": "On the top", - "Popup content template": "Popup content template", + "On the bottom": "Under", + "On the left": "Till vänster", + "On the right": "Till höger", + "On the top": "Ovanför", + "Popup content template": "Mall för popup-innehåll", "Set symbol": "Välj symbol", "Side panel": "Sidopanel", "Simplify": "Förenkla", - "Symbol or url": "Symbol or url", + "Symbol or url": "Symbol eller URL", "Table": "Tabell", "always": "alltid", - "clear": "rensa", + "clear": "återställ", "collapsed": "minimerad", "color": "färg", - "dash array": "dash array", - "define": "definiera", + "dash array": "streckad linje-stil", + "define": "anpassa", "description": "beskrivning", "expanded": "utökad", "fill": "fyll", "fill color": "fyllnadsfärg", - "fill opacity": "fill opacity", - "hidden": "hidden", - "iframe": "ram", + "fill opacity": "fyllsynlighet", + "hidden": "dold", + "iframe": "IFrame (inbäddad html-ram)", "inherit": "ärv", "name": "namn", "never": "aldrig", "new window": "nytt fönster", "no": "nej", "on hover": "vid hovring", - "opacity": "opacity", - "parent window": "parent window", + "opacity": "synlighet", + "parent window": "föräldrafönster", "stroke": "streck", "weight": "tjocklek", "yes": "ja", @@ -87,13 +87,13 @@ var locale = { "Action not allowed :(": "Åtgärden är inte tillåten :(", "Activate slideshow mode": "Aktivera bildspelsläge", "Add a layer": "Lägg till lager", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Add a new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", + "Add a line to the current multi": "Lägg till en linje till aktuell multi", + "Add a new property": "Lägg till en ny egenskap", + "Add a polygon to the current multi": "Lägg till en polygon till aktuell multi", "Advanced actions": "Avancerade åtgärder", "Advanced properties": "Avancerade egenskaper", "Advanced transition": "Avancerad övergång", - "All properties are imported.": "Alla egenskaper har importerats.", + "All properties are imported.": "Alla attribut importeras.", "Allow interactions": "Tillåt interaktion", "An error occured": "Ett fel inträffade", "Are you sure you want to cancel your changes?": "Är du säker på att du vill avbryta dina ändringar?", @@ -101,57 +101,57 @@ var locale = { "Are you sure you want to delete the feature?": "Är du säker på att du vill radera objektet?", "Are you sure you want to delete this layer?": "Är du säker på att du vill radera lagret?", "Are you sure you want to delete this map?": "Är du säker på att du vill radera denna karta?", - "Are you sure you want to delete this property on all the features?": "Are you sure you want to delete this property on all the features?", + "Are you sure you want to delete this property on all the features?": "Är du säker på att du vill radera denna egenskap för alla objekt?", "Are you sure you want to restore this version?": "Är du säker på att du vill återställa till den här versionen?", "Attach the map to my account": "Koppla kartan till mitt konto", "Auto": "Automatiskt", "Autostart when map is loaded": "Starta automatiskt när kartan lästs in.", "Bring feature to center": "Centrera objektet", - "Browse data": "Browse data", + "Browse data": "Bläddra i datat", "Cancel edits": "Avbryt ändringar", "Center map on your location": "Centrera kartan till din plats", "Change map background": "Ändra kartbakgrund", - "Change tilelayers": "Ändra tile-lager", + "Change tilelayers": "Byt bakgrundskarta", "Choose a preset": "Välj förinställning", "Choose the format of the data to import": "Välj dataformat för importen", "Choose the layer to import in": "Välj lager att importera till", "Click last point to finish shape": "Klicka på sista punkten för att slutföra formen", "Click to add a marker": "Klicka för att lägga till en markör", "Click to continue drawing": "Klicka för att fortsätta rita", - "Click to edit": "Click to edit", + "Click to edit": "Klicka för att redigera", "Click to start drawing a line": "Klicka för att börja rita en linje", "Click to start drawing a polygon": "Klicka för att börja rita en polygon", - "Clone": "Clone", + "Clone": "Duplicera", "Clone of {name}": "Kopia av {name}", "Clone this feature": "Kopiera detta objekt", "Clone this map": "Skapa en kopia av kartan", "Close": "Stäng", "Clustering radius": "Klusterradie", - "Comma separated list of properties to use when filtering features": "Kommaseparerad lista med egenskaper, som används vid filtrering av objekt", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", + "Comma separated list of properties to use when filtering features": "Kommaseparerad lista med attribut, som används vid filtrering av objekt", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Komma, tabb eller semikolon separerade värden. SRS WGS84 är underförstått. Bara punktgeometrier importeras. Importen letar kolumnrubriker som startar med «lat» eller «lon», ej skiftlägeskänslig. Övriga kolumner importeras som attribut.", + "Continue line": "Fortsätt linjen", + "Continue line (Ctrl+Click)": "Fortsätt linjen (Ctrl+klick)", "Coordinates": "Koordinater", - "Credits": "Credits", + "Credits": "Upphov och erkännanden", "Current view instead of default map view?": "Nuvarande vy istället för den förinställda vyn?", "Custom background": "Anpassad bakgrund", - "Data is browsable": "Data is browsable", + "Data is browsable": "Data är tillgängligt för bläddring", "Default interaction options": "Förinställda alternativ för interaktion", - "Default properties": "Default properties", - "Default shape properties": "Default shape properties", - "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Default properties": "Standardegenskaper", + "Default shape properties": "Förinställda formategenskaper", + "Define link to open in a new window on polygon click.": "Sätt länk att öppna i ett nytt fönster vid klick.", + "Delay between two transitions when in play mode": "Tid mellan övergångar i uppspelningsläge", "Delete": "Radera", "Delete all layers": "Radera alla lager", "Delete layer": "Radera lager", "Delete this feature": "Radera objektet", "Delete this property on all the features": "Ta bort denna egenskap från alla objekt", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Delete this shape": "Radera figuren", + "Delete this vertex (Alt+Click)": "Radera noden (Alt+klick)", "Directions from here": "Vägbeskrivning härifrån", - "Disable editing": "Disable editing", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Disable editing": "Inaktivera redigering", + "Display measure": "Visa mått", + "Display on load": "Visa vid uppstart", "Download": "Ladda ned", "Download data": "Ladda ned data", "Drag to reorder": "Dra för att sortera om", @@ -165,173 +165,173 @@ var locale = { "Edit feature's layer": "Redigera objektets lager", "Edit map properties": "Redigera kartans egenskaper", "Edit map settings": "Redigera kartans inställningar", - "Edit properties in a table": "Redigera tabellegenskaper", + "Edit properties in a table": "Redigera attribut i en tabell", "Edit this feature": "Redigera objektet", "Editing": "Redigerar", "Embed and share this map": "Bädda in och dela den här kartan", "Embed the map": "Bädda in kartan", "Empty": "Töm", "Enable editing": "Aktivera redigering", - "Error in the tilelayer URL": "Fel i webbadressen för tile-lagret", + "Error in the tilelayer URL": "Fel i webbadressen för bakgrundskartan (tile-lagret)", "Error while fetching {url}": "Fel vid hämtning av {url}", "Exit Fullscreen": "Lämna helskärmsläge", - "Extract shape to separate feature": "Extract shape to separate feature", - "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", - "Filter…": "Filter…", + "Extract shape to separate feature": "Extrahera figuren till separat objekt", + "Fetch data each time map view changes.": "Hämta data varje gång kartvisningen ändras.", + "Filter keys": "Filternycklar", + "Filter…": "Filtrera…", "Format": "Format", "From zoom": "Från zoom", - "Full map data": "Full map data", + "Full map data": "Komplett kartdata", "Go to «{feature}»": "Gå till «{feature}»", - "Heatmap intensity property": "Heatmap intensity property", + "Heatmap intensity property": "Värmekartans intensitet", "Heatmap radius": "Värmekartans radie", "Help": "Hjälp", - "Hide controls": "Hide controls", + "Hide controls": "Dölj verktygsfälten", "Home": "Hem", - "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", - "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", - "Iframe export options": "Iframe export options", - "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", - "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", - "Image with custom width (in px): {{http://image.url.com|width}}": "Image with custom width (in px): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", - "Import": "Import", - "Import data": "Import data", - "Import in a new layer": "Import in a new layer", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", + "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hur mycket ska polygoner och multilinjer förenklas vid olika zoom-nivåer? (Mer = bättre prestanda och mjukare utseende, Mindre = mer exakt)", + "If false, the polygon will act as a part of the underlying map.": "Om falskt, visas polygonen som en del av bakgrundskartan.", + "Iframe export options": "IFrame exportalternativ", + "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe med specifik höjd (i pixlar): {{{http://iframe.url.com|height}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe med specifik höjd och bredd (i pixlar): {{{http://iframe.url.com|height*width}}}", + "Iframe: {{{http://iframe.url.com}}}": "Iframe (inbäddad ram): {{{http://iframe.url.com}}}", + "Image with custom width (in px): {{http://image.url.com|width}}": "Bild med specifik bredd (i pixlar): {{http://image.url.com|width}}", + "Image: {{http://image.url.com}}": "Bild: {{http://image.url.com}}", + "Import": "Importera", + "Import data": "Importera data", + "Import in a new layer": "Importera till ett nytt lager", + "Imports all umap data, including layers and settings.": "Importerar allt uMap data, inklusive lager och inställningar.", + "Include full screen link?": "Inkludera länk till fullskärmssida?", "Interaction options": "Alternativ för interaktion", - "Invalid umap data": "Invalid umap data", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", - "Keep current visible layers": "Keep current visible layers", + "Invalid umap data": "Ogiltigt uMap-data", + "Invalid umap data in {filename}": "Ogiltigt uMap-data i {filename}", + "Keep current visible layers": "Bevara nuvarande synliga lager", "Latitude": "Latitud", - "Layer": "Layer", - "Layer properties": "Layer properties", - "Licence": "Licence", - "Limit bounds": "Limit bounds", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Hyperlänk med egen text: [[http://example.com|länktext]", - "Long credits": "Long credits", + "Layer": "Lager", + "Layer properties": "Lageregenskaper", + "Licence": "Licens", + "Limit bounds": "Begränsa visningsområdet", + "Link to…": "Länk till…", + "Link with text: [[http://example.com|text of the link]]": "Hyperlänk med egen text: [[https://www.exempel.se|Länktext]]", + "Long credits": "Upphov och erkännanden (sidfotsfält)", "Longitude": "Longitud", - "Make main shape": "Make main shape", - "Manage layers": "Manage layers", - "Map background credits": "Map background credits", - "Map has been attached to your account": "Map has been attached to your account", - "Map has been saved!": "Map has been saved!", - "Map user content has been published under licence": "Map user content has been published under licence", - "Map's editors": "Map's editors", - "Map's owner": "Map's owner", - "Merge lines": "Merge lines", - "More controls": "More controls", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", - "No licence has been set": "No licence has been set", - "No results": "No results", - "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Make main shape": "Gör huvudformen", + "Manage layers": "Hantera lager", + "Map background credits": "Bakgrundskartans upphov och erkännanden", + "Map has been attached to your account": "Kartan har kopplats till ditt konto.", + "Map has been saved!": "Kartan har sparats!", + "Map user content has been published under licence": "Kartan användarinnehåll har publicerats under licens", + "Map's editors": "Kartans redaktörer", + "Map's owner": "Kartans ägare", + "Merge lines": "Sammanfoga linjer", + "More controls": "Fler verktyg", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Giltigt CSS värde krävs (ex: DarkBlue eller #123456)", + "No licence has been set": "Ingen licens har valts.", + "No results": "Inga träffar tyvärr. Har du stavat rätt?", + "Only visible features will be downloaded.": "Endast synliggjorda kartobjekt kommer att laddas ner.", "Open download panel": "Öppna nedladdningspanelen", - "Open link in…": "Open link in…", - "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Open this map extent in a map editor to provide more accurate data to OpenStreetMap", - "Optional intensity property for heatmap": "Optional intensity property for heatmap", - "Optional. Same as color if not set.": "Optional. Same as color if not set.", - "Override clustering radius (default 80)": "Override clustering radius (default 80)", - "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", - "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", - "Please choose a format": "Please choose a format", - "Please enter the name of the property": "Please enter the name of the property", - "Please enter the new name of this property": "Please enter the new name of this property", - "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", + "Open link in…": "Öppna länk med...", + "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Öppna detta kartområde i en redigerare för att bidra med mer och bättre data till OpenStreetMap.", + "Optional intensity property for heatmap": "Valfritt intensitetsläge för värmekartan", + "Optional. Same as color if not set.": "Valfritt. Annars samma som färg ovan.", + "Override clustering radius (default 80)": "Åsidosätt kluster radie (80 förvalt)", + "Override heatmap radius (default 25)": "Åsidosätt värmekartans radie (25 förvalt)", + "Please be sure the licence is compliant with your use.": "Säkerställ att din användning av datat överensstämmer med dess licens eller upphovsrätt.", + "Please choose a format": "Välj ett format", + "Please enter the name of the property": "Ange namnet på egenskapen", + "Please enter the new name of this property": "Ange det nya namnet för den här egenskapen", + "Powered by Leaflet and Django, glued by uMap project.": "Genererad med Leaflet och Django, sammansatt av uMap projektet.", "Problem in the response": "Servern svarade med ett fel", - "Problem in the response format": "Problem in the response format", - "Properties imported:": "Properties imported:", - "Property to use for sorting features": "Property to use for sorting features", + "Problem in the response format": "Fel format i serversvaret", + "Properties imported:": "Attribut som importeras:", + "Property to use for sorting features": "Egenskap att använda för sortering av objekten", "Provide an URL here": "Ange en webbadress", - "Proxy request": "Proxy request", + "Proxy request": "Proxyförfrågan", "Remote data": "Fjärrdata", - "Remove shape from the multi": "Remove shape from the multi", - "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", - "Save": "Save", - "Save anyway": "Save anyway", - "Save current edits": "Save current edits", - "Save this center and zoom": "Save this center and zoom", - "Save this location as new feature": "Save this location as new feature", - "Search a place name": "Search a place name", - "Search location": "Search location", - "Secret edit link is:
{link}": "Secret edit link is:
{link}", - "See all": "See all", - "See data layers": "See data layers", - "See full screen": "See full screen", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", - "Short URL": "Short URL", - "Short credits": "Short credits", - "Show/hide layer": "Show/hide layer", - "Simple link: [[http://example.com]]": "Enkel hyperlänk: [[http://example.com]]", - "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", - "Split line": "Split line", - "Start a hole here": "Start a hole here", - "Start editing": "Start editing", - "Start slideshow": "Start slideshow", - "Stop editing": "Stop editing", - "Stop slideshow": "Stop slideshow", - "Supported scheme": "Supported scheme", - "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", - "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.", + "Remove shape from the multi": "Radera figuren från aktuell multi", + "Rename this property on all the features": "Byt namn på den här egenskapen för alla objekt", + "Replace layer content": "Ersätt lagrets innehåll", + "Restore this version": "Återställ denna version", + "Save": "Spara", + "Save anyway": "Spara ändå", + "Save current edits": "Spara nuvarande ändringar", + "Save this center and zoom": "Spara aktuell vy och zoomnivå", + "Save this location as new feature": "Spara denna plats som nytt kartobjekt", + "Search a place name": "Sök efter ett platsnamn", + "Search location": "Sök plats", + "Secret edit link is:
{link}": "Privat redigeringslänk är:
{link}", + "See all": "Se alla", + "See data layers": "Visa datalager", + "See full screen": "Öppna i fullskärm", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Slå av för att dölja lagret från bilspelsvisning, databläddrare, popup-navigering etc", + "Shape properties": "Formategenskaper", + "Short URL": "Kort URL", + "Short credits": "Upphov och erkännanden (kort)", + "Show/hide layer": "Visa/dölj lager", + "Simple link: [[http://example.com]]": "Enkel hyperlänk: [[https://www.exempel.se]]", + "Slideshow": "Bildspelsläge", + "Smart transitions": "Smarta övergångar", + "Sort key": "Sorteringsnyckel", + "Split line": "Dela upp linje", + "Start a hole here": "Infoga ett hål här", + "Start editing": "Börja redigera", + "Start slideshow": "Starta bildspel", + "Stop editing": "Avsluta redigering", + "Stop slideshow": "Stoppa bildspel", + "Supported scheme": "Schema som stöds", + "Supported variables that will be dynamically replaced": "Variabler som stöds att ersättas dynamiskt", + "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbolen kan vara antingen en unicode-karaktär eller en URL. Du kan använda objektattribut som variabler: ex. med \"http://myserver.org/images/{namn}.png\", kommer variabeln {namn} att ersättas med \"namn\"-värdet för varje objekt.", "TMS format": "TMS format", - "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", - "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "Zoom och centrering har satts.", - "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", - "To zoom": "To zoom", - "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", - "Transfer shape to edited feature": "Transfer shape to edited feature", - "Transform to lines": "Transform to lines", - "Transform to polygon": "Transform to polygon", - "Type of layer": "Type of layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", - "Untitled layer": "Untitled layer", - "Untitled map": "Untitled map", - "Update permissions": "Update permissions", + "Text color for the cluster label": "Textfärg för klusteretiketten", + "Text formatting": "Textformatering", + "The name of the property to use as feature label (ex.: \"nom\")": "Egenskapen att använda som etikettrubrik på objekten (ex: \"namn\")", + "The zoom and center have been setted.": "Zoom och centrering har satts.", + "To use if remote server doesn't allow cross domain (slower)": "Att använda om fjärrservern inte tillåter gränsöverskridande domäner (långsammare)", + "To zoom": "Till zoom", + "Toggle edit mode (Shift+Click)": "Växla redigeringsläge (Shift+klick)", + "Transfer shape to edited feature": "Överför format till redigerat objekt", + "Transform to lines": "Transformera till linjer", + "Transform to polygon": "Transformera till polygon", + "Type of layer": "Lagertyp", + "Unable to detect format of file {filename}": "Misslyckades att känna igen filformatet på filen {filename}", + "Untitled layer": "Namnlöst lager", + "Untitled map": "Namnlös karta", + "Update permissions": "Uppdatera behörigheter", "Update permissions and editors": "Uppdatera behörigheter och redaktörer", - "Url": "Url", - "Use current bounds": "Use current bounds", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", - "User content credits": "User content credits", - "User interface options": "User interface options", - "Versions": "Versions", - "View Fullscreen": "View Fullscreen", - "Where do we go from here?": "Where do we go from here?", - "Whether to display or not polygons paths.": "Whether to display or not polygons paths.", - "Whether to fill polygons with color.": "Whether to fill polygons with color.", - "Who can edit": "Who can edit", - "Who can view": "Who can view", - "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", - "Will be visible in the caption of the map": "Will be visible in the caption of the map", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", - "Zoom in": "Zoom in", + "Url": "URL", + "Use current bounds": "Använd nuvarande visningsgränser", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Använd platshållare med objektattribut i klammerparenteser, ex. {namn}. De ersätts dynamiskt med objektets motsvarande värde.", + "User content credits": "Användarinnehållets upphov och erkännanden", + "User interface options": "Alternativ för användargränssnitt", + "Versions": "Versioner", + "View Fullscreen": "Visa fullskärm", + "Where do we go from here?": "Hela världen ligger öppen. Sluta aldrig lära, utforska och dela med dig. Vart tar vi vägen idag?", + "Whether to display or not polygons paths.": "Om polygonens konturlinje ska ritas ut eller inte.", + "Whether to fill polygons with color.": "Om polygonens yta ska fyllas med färg.", + "Who can edit": "Vem kan redigera", + "Who can view": "Vem kan visa", + "Will be displayed in the bottom right corner of the map": "Visas i nedre högra hörnet av kartan", + "Will be visible in the caption of the map": "Visas i sidfotsfältet under kartan", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Hoppsan! \nNågon annan verkar ha hunnit före och redigerat i kartan redan! Du kan spara ändå, men det kommer att radera ändringar som någon annan har gjort.", + "You have unsaved changes.": "Du har ändringar som inte har sparats!", + "Zoom in": "Zooma in", "Zoom level for automatic zooms": "Zoomnivå för automatisk zoom", - "Zoom out": "Zoom out", - "Zoom to layer extent": "Zoom to layer extent", - "Zoom to the next": "Zoom to the next", - "Zoom to the previous": "Zoom to the previous", - "Zoom to this feature": "Zoom to this feature", - "Zoom to this place": "Zoom to this place", + "Zoom out": "Zooma ut", + "Zoom to layer extent": "Zooma till lagrets omfång", + "Zoom to the next": "Panorera till nästa", + "Zoom to the previous": "Panorera till föregående", + "Zoom to this feature": "Zooma till detta objekt", + "Zoom to this place": "Zooma till denna plats", "attribution": "attribution", - "by": "by", - "display name": "display name", - "height": "height", + "by": "av", + "display name": "namn", + "height": "höjd", "licence": "licens", - "max East": "max East", - "max North": "max North", - "max South": "max South", - "max West": "max West", - "max zoom": "max zoom", - "min zoom": "min zoom", + "max East": "max Öst", + "max North": "max Nord", + "max South": "max Syd", + "max West": "max Väst", + "max zoom": "maxgräns zoom", + "min zoom": "minimigräns zoom", "next": "nästa", "previous": "föregående", "width": "bredd", @@ -356,21 +356,21 @@ var locale = { "1 day": "1 dag", "1 hour": "1 timme", "5 min": "5 min", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", + "Cache proxied request": "Cachelagra proxyförfrågan", + "No cache": "Ingen cache", "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "Optional.", - "Paste your data here": "Paste your data here", - "Please save the map first": "Please save the map first", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "Popup (large)": "Popup (stor)", + "Popup content style": "Innehållsstil för popupfönster", + "Popup shape": "Popup format", + "Skipping unknown geometry.type: {type}": "Okänd geometrityp ignoreras: {type}", + "Optional.": "Valfri.", + "Paste your data here": "Klistra in data här", + "Please save the map first": "Spara kartan först, tack ;)", + "Unable to locate you.": "Misslyckades att hitta din aktuella plats.", + "Feature identifier key": "Unik nyckel för objekt", + "Open current feature on load": "Öppna nuvarande objekt vid uppstart", + "Permalink": "Permanent länk", + "The name of the property to use as feature unique identifier.": "Egenskapen att använda som unik nyckel för objekten (ex: \"id\")" }; L.registerLocale("sv", locale); L.setLocale("sv"); \ No newline at end of file diff --git a/umap/static/umap/locale/sv.json b/umap/static/umap/locale/sv.json index 9d3dff79..2010d7a1 100644 --- a/umap/static/umap/locale/sv.json +++ b/umap/static/umap/locale/sv.json @@ -1,16 +1,16 @@ { "Add symbol": "Lägg till symbol", - "Allow scroll wheel zoom?": "Allow scroll wheel zoom?", + "Allow scroll wheel zoom?": "Tillåt zoom med musens rullhjul?", "Automatic": "Automatisk", "Ball": "Knappnål", "Cancel": "Avbryt", - "Caption": "Caption", + "Caption": "Sidfotsfält", "Change symbol": "Ändra symbol", "Choose the data format": "Välj dataformat", "Choose the layer of the feature": "Välj lager för objektet", "Circle": "Cirkel", "Clustered": "Kluster", - "Data browser": "Data browser", + "Data browser": "Databläddrare", "Default": "Förvalt värde", "Default zoom level": "Förvald zoomnivå", "Default: name": "Namn förvalt", @@ -22,56 +22,56 @@ "Display the locate control": "Visa lokaliseringsverktyg", "Display the measure control": "Visa mätverktyg", "Display the search control": "Visa sökverktyg", - "Display the tile layers control": "Visa verktyg för tiles (bakgrundslager)", + "Display the tile layers control": "Visa verktyg för bakgrundskarta (tiles)", "Display the zoom control": "Visa zoomverktyg", - "Do you want to display a caption bar?": "Do you want to display a caption bar?", + "Do you want to display a caption bar?": "Vill du visa ett sidfotsfält?", "Do you want to display a minimap?": "Vill du visa en minikarta?", - "Do you want to display a panel on load?": "Do you want to display a panel on load?", - "Do you want to display popup footer?": "Do you want to display popup footer?", - "Do you want to display the scale control?": "Vill du visa verktyget för skala?", - "Do you want to display the «more» control?": "Do you want to display the «more» control?", + "Do you want to display a panel on load?": "Vill du visa en panel vid uppstart?", + "Do you want to display popup footer?": "Vill du visa en sidfot-popup?", + "Do you want to display the scale control?": "Vill du visa skalstocken?", + "Do you want to display the «more» control?": "Vill du visa panelen med \"Fler verktyg\"?", "Drop": "Dropp-nål", - "GeoRSS (only link)": "GeoRSS (only link)", - "GeoRSS (title + image)": "GeoRSS (title + image)", + "GeoRSS (only link)": "GeoRSS (enbart länk)", + "GeoRSS (title + image)": "GeoRSS (titel + bild)", "Heatmap": "Värmekarta", "Icon shape": "Ikonform", "Icon symbol": "Ikonsymbol", "Inherit": "Ärv", "Label direction": "Riktning för etikett", - "Label key": "Label key", + "Label key": "Etikettnyckel", "Labels are clickable": "Klickbara etiketter", "None": "Ingen", - "On the bottom": "On the bottom", - "On the left": "On the left", - "On the right": "On the right", - "On the top": "On the top", - "Popup content template": "Popup content template", + "On the bottom": "Under", + "On the left": "Till vänster", + "On the right": "Till höger", + "On the top": "Ovanför", + "Popup content template": "Mall för popup-innehåll", "Set symbol": "Välj symbol", "Side panel": "Sidopanel", "Simplify": "Förenkla", - "Symbol or url": "Symbol or url", + "Symbol or url": "Symbol eller URL", "Table": "Tabell", "always": "alltid", - "clear": "rensa", + "clear": "återställ", "collapsed": "minimerad", "color": "färg", - "dash array": "dash array", - "define": "definiera", + "dash array": "streckad linje-stil", + "define": "anpassa", "description": "beskrivning", "expanded": "utökad", "fill": "fyll", "fill color": "fyllnadsfärg", - "fill opacity": "fill opacity", - "hidden": "hidden", - "iframe": "ram", + "fill opacity": "fyllsynlighet", + "hidden": "dold", + "iframe": "IFrame (inbäddad html-ram)", "inherit": "ärv", "name": "namn", "never": "aldrig", "new window": "nytt fönster", "no": "nej", "on hover": "vid hovring", - "opacity": "opacity", - "parent window": "parent window", + "opacity": "synlighet", + "parent window": "föräldrafönster", "stroke": "streck", "weight": "tjocklek", "yes": "ja", @@ -87,13 +87,13 @@ "Action not allowed :(": "Åtgärden är inte tillåten :(", "Activate slideshow mode": "Aktivera bildspelsläge", "Add a layer": "Lägg till lager", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Add a new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", + "Add a line to the current multi": "Lägg till en linje till aktuell multi", + "Add a new property": "Lägg till en ny egenskap", + "Add a polygon to the current multi": "Lägg till en polygon till aktuell multi", "Advanced actions": "Avancerade åtgärder", "Advanced properties": "Avancerade egenskaper", "Advanced transition": "Avancerad övergång", - "All properties are imported.": "Alla egenskaper har importerats.", + "All properties are imported.": "Alla attribut importeras.", "Allow interactions": "Tillåt interaktion", "An error occured": "Ett fel inträffade", "Are you sure you want to cancel your changes?": "Är du säker på att du vill avbryta dina ändringar?", @@ -101,57 +101,57 @@ "Are you sure you want to delete the feature?": "Är du säker på att du vill radera objektet?", "Are you sure you want to delete this layer?": "Är du säker på att du vill radera lagret?", "Are you sure you want to delete this map?": "Är du säker på att du vill radera denna karta?", - "Are you sure you want to delete this property on all the features?": "Are you sure you want to delete this property on all the features?", + "Are you sure you want to delete this property on all the features?": "Är du säker på att du vill radera denna egenskap för alla objekt?", "Are you sure you want to restore this version?": "Är du säker på att du vill återställa till den här versionen?", "Attach the map to my account": "Koppla kartan till mitt konto", "Auto": "Automatiskt", "Autostart when map is loaded": "Starta automatiskt när kartan lästs in.", "Bring feature to center": "Centrera objektet", - "Browse data": "Browse data", + "Browse data": "Bläddra i datat", "Cancel edits": "Avbryt ändringar", "Center map on your location": "Centrera kartan till din plats", "Change map background": "Ändra kartbakgrund", - "Change tilelayers": "Ändra tile-lager", + "Change tilelayers": "Byt bakgrundskarta", "Choose a preset": "Välj förinställning", "Choose the format of the data to import": "Välj dataformat för importen", "Choose the layer to import in": "Välj lager att importera till", "Click last point to finish shape": "Klicka på sista punkten för att slutföra formen", "Click to add a marker": "Klicka för att lägga till en markör", "Click to continue drawing": "Klicka för att fortsätta rita", - "Click to edit": "Click to edit", + "Click to edit": "Klicka för att redigera", "Click to start drawing a line": "Klicka för att börja rita en linje", "Click to start drawing a polygon": "Klicka för att börja rita en polygon", - "Clone": "Clone", + "Clone": "Duplicera", "Clone of {name}": "Kopia av {name}", "Clone this feature": "Kopiera detta objekt", "Clone this map": "Skapa en kopia av kartan", "Close": "Stäng", "Clustering radius": "Klusterradie", - "Comma separated list of properties to use when filtering features": "Kommaseparerad lista med egenskaper, som används vid filtrering av objekt", - "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", + "Comma separated list of properties to use when filtering features": "Kommaseparerad lista med attribut, som används vid filtrering av objekt", + "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Komma, tabb eller semikolon separerade värden. SRS WGS84 är underförstått. Bara punktgeometrier importeras. Importen letar kolumnrubriker som startar med «lat» eller «lon», ej skiftlägeskänslig. Övriga kolumner importeras som attribut.", + "Continue line": "Fortsätt linjen", + "Continue line (Ctrl+Click)": "Fortsätt linjen (Ctrl+klick)", "Coordinates": "Koordinater", - "Credits": "Credits", + "Credits": "Upphov och erkännanden", "Current view instead of default map view?": "Nuvarande vy istället för den förinställda vyn?", "Custom background": "Anpassad bakgrund", - "Data is browsable": "Data is browsable", + "Data is browsable": "Data är tillgängligt för bläddring", "Default interaction options": "Förinställda alternativ för interaktion", - "Default properties": "Default properties", - "Default shape properties": "Default shape properties", - "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", + "Default properties": "Standardegenskaper", + "Default shape properties": "Förinställda formategenskaper", + "Define link to open in a new window on polygon click.": "Sätt länk att öppna i ett nytt fönster vid klick.", + "Delay between two transitions when in play mode": "Tid mellan övergångar i uppspelningsläge", "Delete": "Radera", "Delete all layers": "Radera alla lager", "Delete layer": "Radera lager", "Delete this feature": "Radera objektet", "Delete this property on all the features": "Ta bort denna egenskap från alla objekt", - "Delete this shape": "Delete this shape", - "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", + "Delete this shape": "Radera figuren", + "Delete this vertex (Alt+Click)": "Radera noden (Alt+klick)", "Directions from here": "Vägbeskrivning härifrån", - "Disable editing": "Disable editing", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Disable editing": "Inaktivera redigering", + "Display measure": "Visa mått", + "Display on load": "Visa vid uppstart", "Download": "Ladda ned", "Download data": "Ladda ned data", "Drag to reorder": "Dra för att sortera om", @@ -165,173 +165,173 @@ "Edit feature's layer": "Redigera objektets lager", "Edit map properties": "Redigera kartans egenskaper", "Edit map settings": "Redigera kartans inställningar", - "Edit properties in a table": "Redigera tabellegenskaper", + "Edit properties in a table": "Redigera attribut i en tabell", "Edit this feature": "Redigera objektet", "Editing": "Redigerar", "Embed and share this map": "Bädda in och dela den här kartan", "Embed the map": "Bädda in kartan", "Empty": "Töm", "Enable editing": "Aktivera redigering", - "Error in the tilelayer URL": "Fel i webbadressen för tile-lagret", + "Error in the tilelayer URL": "Fel i webbadressen för bakgrundskartan (tile-lagret)", "Error while fetching {url}": "Fel vid hämtning av {url}", "Exit Fullscreen": "Lämna helskärmsläge", - "Extract shape to separate feature": "Extract shape to separate feature", - "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", - "Filter…": "Filter…", + "Extract shape to separate feature": "Extrahera figuren till separat objekt", + "Fetch data each time map view changes.": "Hämta data varje gång kartvisningen ändras.", + "Filter keys": "Filternycklar", + "Filter…": "Filtrera…", "Format": "Format", "From zoom": "Från zoom", - "Full map data": "Full map data", + "Full map data": "Komplett kartdata", "Go to «{feature}»": "Gå till «{feature}»", - "Heatmap intensity property": "Heatmap intensity property", + "Heatmap intensity property": "Värmekartans intensitet", "Heatmap radius": "Värmekartans radie", "Help": "Hjälp", - "Hide controls": "Hide controls", + "Hide controls": "Dölj verktygsfälten", "Home": "Hem", - "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", - "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", - "Iframe export options": "Iframe export options", - "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", - "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", - "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", - "Image with custom width (in px): {{http://image.url.com|width}}": "Image with custom width (in px): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", - "Import": "Import", - "Import data": "Import data", - "Import in a new layer": "Import in a new layer", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", + "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "Hur mycket ska polygoner och multilinjer förenklas vid olika zoom-nivåer? (Mer = bättre prestanda och mjukare utseende, Mindre = mer exakt)", + "If false, the polygon will act as a part of the underlying map.": "Om falskt, visas polygonen som en del av bakgrundskartan.", + "Iframe export options": "IFrame exportalternativ", + "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe med specifik höjd (i pixlar): {{{http://iframe.url.com|height}}}", + "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe med specifik höjd och bredd (i pixlar): {{{http://iframe.url.com|height*width}}}", + "Iframe: {{{http://iframe.url.com}}}": "Iframe (inbäddad ram): {{{http://iframe.url.com}}}", + "Image with custom width (in px): {{http://image.url.com|width}}": "Bild med specifik bredd (i pixlar): {{http://image.url.com|width}}", + "Image: {{http://image.url.com}}": "Bild: {{http://image.url.com}}", + "Import": "Importera", + "Import data": "Importera data", + "Import in a new layer": "Importera till ett nytt lager", + "Imports all umap data, including layers and settings.": "Importerar allt uMap data, inklusive lager och inställningar.", + "Include full screen link?": "Inkludera länk till fullskärmssida?", "Interaction options": "Alternativ för interaktion", - "Invalid umap data": "Invalid umap data", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", - "Keep current visible layers": "Keep current visible layers", + "Invalid umap data": "Ogiltigt uMap-data", + "Invalid umap data in {filename}": "Ogiltigt uMap-data i {filename}", + "Keep current visible layers": "Bevara nuvarande synliga lager", "Latitude": "Latitud", - "Layer": "Layer", - "Layer properties": "Layer properties", - "Licence": "Licence", - "Limit bounds": "Limit bounds", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Hyperlänk med egen text: [[http://example.com|länktext]", - "Long credits": "Long credits", + "Layer": "Lager", + "Layer properties": "Lageregenskaper", + "Licence": "Licens", + "Limit bounds": "Begränsa visningsområdet", + "Link to…": "Länk till…", + "Link with text: [[http://example.com|text of the link]]": "Hyperlänk med egen text: [[https://www.exempel.se|Länktext]]", + "Long credits": "Upphov och erkännanden (sidfotsfält)", "Longitude": "Longitud", - "Make main shape": "Make main shape", - "Manage layers": "Manage layers", - "Map background credits": "Map background credits", - "Map has been attached to your account": "Map has been attached to your account", - "Map has been saved!": "Map has been saved!", - "Map user content has been published under licence": "Map user content has been published under licence", - "Map's editors": "Map's editors", - "Map's owner": "Map's owner", - "Merge lines": "Merge lines", - "More controls": "More controls", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", - "No licence has been set": "No licence has been set", - "No results": "No results", - "Only visible features will be downloaded.": "Only visible features will be downloaded.", + "Make main shape": "Gör huvudformen", + "Manage layers": "Hantera lager", + "Map background credits": "Bakgrundskartans upphov och erkännanden", + "Map has been attached to your account": "Kartan har kopplats till ditt konto.", + "Map has been saved!": "Kartan har sparats!", + "Map user content has been published under licence": "Kartan användarinnehåll har publicerats under licens", + "Map's editors": "Kartans redaktörer", + "Map's owner": "Kartans ägare", + "Merge lines": "Sammanfoga linjer", + "More controls": "Fler verktyg", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Giltigt CSS värde krävs (ex: DarkBlue eller #123456)", + "No licence has been set": "Ingen licens har valts.", + "No results": "Inga träffar tyvärr. Har du stavat rätt?", + "Only visible features will be downloaded.": "Endast synliggjorda kartobjekt kommer att laddas ner.", "Open download panel": "Öppna nedladdningspanelen", - "Open link in…": "Open link in…", - "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Open this map extent in a map editor to provide more accurate data to OpenStreetMap", - "Optional intensity property for heatmap": "Optional intensity property for heatmap", - "Optional. Same as color if not set.": "Optional. Same as color if not set.", - "Override clustering radius (default 80)": "Override clustering radius (default 80)", - "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", - "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", - "Please choose a format": "Please choose a format", - "Please enter the name of the property": "Please enter the name of the property", - "Please enter the new name of this property": "Please enter the new name of this property", - "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", + "Open link in…": "Öppna länk med...", + "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Öppna detta kartområde i en redigerare för att bidra med mer och bättre data till OpenStreetMap.", + "Optional intensity property for heatmap": "Valfritt intensitetsläge för värmekartan", + "Optional. Same as color if not set.": "Valfritt. Annars samma som färg ovan.", + "Override clustering radius (default 80)": "Åsidosätt kluster radie (80 förvalt)", + "Override heatmap radius (default 25)": "Åsidosätt värmekartans radie (25 förvalt)", + "Please be sure the licence is compliant with your use.": "Säkerställ att din användning av datat överensstämmer med dess licens eller upphovsrätt.", + "Please choose a format": "Välj ett format", + "Please enter the name of the property": "Ange namnet på egenskapen", + "Please enter the new name of this property": "Ange det nya namnet för den här egenskapen", + "Powered by Leaflet and Django, glued by uMap project.": "Genererad med Leaflet och Django, sammansatt av uMap projektet.", "Problem in the response": "Servern svarade med ett fel", - "Problem in the response format": "Problem in the response format", - "Properties imported:": "Properties imported:", - "Property to use for sorting features": "Property to use for sorting features", + "Problem in the response format": "Fel format i serversvaret", + "Properties imported:": "Attribut som importeras:", + "Property to use for sorting features": "Egenskap att använda för sortering av objekten", "Provide an URL here": "Ange en webbadress", - "Proxy request": "Proxy request", + "Proxy request": "Proxyförfrågan", "Remote data": "Fjärrdata", - "Remove shape from the multi": "Remove shape from the multi", - "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", - "Save": "Save", - "Save anyway": "Save anyway", - "Save current edits": "Save current edits", - "Save this center and zoom": "Save this center and zoom", - "Save this location as new feature": "Save this location as new feature", - "Search a place name": "Search a place name", - "Search location": "Search location", - "Secret edit link is:
{link}": "Secret edit link is:
{link}", - "See all": "See all", - "See data layers": "See data layers", - "See full screen": "See full screen", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", - "Short URL": "Short URL", - "Short credits": "Short credits", - "Show/hide layer": "Show/hide layer", - "Simple link: [[http://example.com]]": "Enkel hyperlänk: [[http://example.com]]", - "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", - "Split line": "Split line", - "Start a hole here": "Start a hole here", - "Start editing": "Start editing", - "Start slideshow": "Start slideshow", - "Stop editing": "Stop editing", - "Stop slideshow": "Stop slideshow", - "Supported scheme": "Supported scheme", - "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", - "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.", + "Remove shape from the multi": "Radera figuren från aktuell multi", + "Rename this property on all the features": "Byt namn på den här egenskapen för alla objekt", + "Replace layer content": "Ersätt lagrets innehåll", + "Restore this version": "Återställ denna version", + "Save": "Spara", + "Save anyway": "Spara ändå", + "Save current edits": "Spara nuvarande ändringar", + "Save this center and zoom": "Spara aktuell vy och zoomnivå", + "Save this location as new feature": "Spara denna plats som nytt kartobjekt", + "Search a place name": "Sök efter ett platsnamn", + "Search location": "Sök plats", + "Secret edit link is:
{link}": "Privat redigeringslänk är:
{link}", + "See all": "Se alla", + "See data layers": "Visa datalager", + "See full screen": "Öppna i fullskärm", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Slå av för att dölja lagret från bilspelsvisning, databläddrare, popup-navigering etc", + "Shape properties": "Formategenskaper", + "Short URL": "Kort URL", + "Short credits": "Upphov och erkännanden (kort)", + "Show/hide layer": "Visa/dölj lager", + "Simple link: [[http://example.com]]": "Enkel hyperlänk: [[https://www.exempel.se]]", + "Slideshow": "Bildspelsläge", + "Smart transitions": "Smarta övergångar", + "Sort key": "Sorteringsnyckel", + "Split line": "Dela upp linje", + "Start a hole here": "Infoga ett hål här", + "Start editing": "Börja redigera", + "Start slideshow": "Starta bildspel", + "Stop editing": "Avsluta redigering", + "Stop slideshow": "Stoppa bildspel", + "Supported scheme": "Schema som stöds", + "Supported variables that will be dynamically replaced": "Variabler som stöds att ersättas dynamiskt", + "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbolen kan vara antingen en unicode-karaktär eller en URL. Du kan använda objektattribut som variabler: ex. med \"http://myserver.org/images/{namn}.png\", kommer variabeln {namn} att ersättas med \"namn\"-värdet för varje objekt.", "TMS format": "TMS format", - "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", - "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "Zoom och centrering har satts.", - "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", - "To zoom": "To zoom", - "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", - "Transfer shape to edited feature": "Transfer shape to edited feature", - "Transform to lines": "Transform to lines", - "Transform to polygon": "Transform to polygon", - "Type of layer": "Type of layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", - "Untitled layer": "Untitled layer", - "Untitled map": "Untitled map", - "Update permissions": "Update permissions", + "Text color for the cluster label": "Textfärg för klusteretiketten", + "Text formatting": "Textformatering", + "The name of the property to use as feature label (ex.: \"nom\")": "Egenskapen att använda som etikettrubrik på objekten (ex: \"namn\")", + "The zoom and center have been setted.": "Zoom och centrering har satts.", + "To use if remote server doesn't allow cross domain (slower)": "Att använda om fjärrservern inte tillåter gränsöverskridande domäner (långsammare)", + "To zoom": "Till zoom", + "Toggle edit mode (Shift+Click)": "Växla redigeringsläge (Shift+klick)", + "Transfer shape to edited feature": "Överför format till redigerat objekt", + "Transform to lines": "Transformera till linjer", + "Transform to polygon": "Transformera till polygon", + "Type of layer": "Lagertyp", + "Unable to detect format of file {filename}": "Misslyckades att känna igen filformatet på filen {filename}", + "Untitled layer": "Namnlöst lager", + "Untitled map": "Namnlös karta", + "Update permissions": "Uppdatera behörigheter", "Update permissions and editors": "Uppdatera behörigheter och redaktörer", - "Url": "Url", - "Use current bounds": "Use current bounds", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", - "User content credits": "User content credits", - "User interface options": "User interface options", - "Versions": "Versions", - "View Fullscreen": "View Fullscreen", - "Where do we go from here?": "Where do we go from here?", - "Whether to display or not polygons paths.": "Whether to display or not polygons paths.", - "Whether to fill polygons with color.": "Whether to fill polygons with color.", - "Who can edit": "Who can edit", - "Who can view": "Who can view", - "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", - "Will be visible in the caption of the map": "Will be visible in the caption of the map", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", - "Zoom in": "Zoom in", + "Url": "URL", + "Use current bounds": "Använd nuvarande visningsgränser", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Använd platshållare med objektattribut i klammerparenteser, ex. {namn}. De ersätts dynamiskt med objektets motsvarande värde.", + "User content credits": "Användarinnehållets upphov och erkännanden", + "User interface options": "Alternativ för användargränssnitt", + "Versions": "Versioner", + "View Fullscreen": "Visa fullskärm", + "Where do we go from here?": "Hela världen ligger öppen. Sluta aldrig lära, utforska och dela med dig. Vart tar vi vägen idag?", + "Whether to display or not polygons paths.": "Om polygonens konturlinje ska ritas ut eller inte.", + "Whether to fill polygons with color.": "Om polygonens yta ska fyllas med färg.", + "Who can edit": "Vem kan redigera", + "Who can view": "Vem kan visa", + "Will be displayed in the bottom right corner of the map": "Visas i nedre högra hörnet av kartan", + "Will be visible in the caption of the map": "Visas i sidfotsfältet under kartan", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Hoppsan! \nNågon annan verkar ha hunnit före och redigerat i kartan redan! Du kan spara ändå, men det kommer att radera ändringar som någon annan har gjort.", + "You have unsaved changes.": "Du har ändringar som inte har sparats!", + "Zoom in": "Zooma in", "Zoom level for automatic zooms": "Zoomnivå för automatisk zoom", - "Zoom out": "Zoom out", - "Zoom to layer extent": "Zoom to layer extent", - "Zoom to the next": "Zoom to the next", - "Zoom to the previous": "Zoom to the previous", - "Zoom to this feature": "Zoom to this feature", - "Zoom to this place": "Zoom to this place", + "Zoom out": "Zooma ut", + "Zoom to layer extent": "Zooma till lagrets omfång", + "Zoom to the next": "Panorera till nästa", + "Zoom to the previous": "Panorera till föregående", + "Zoom to this feature": "Zooma till detta objekt", + "Zoom to this place": "Zooma till denna plats", "attribution": "attribution", - "by": "by", - "display name": "display name", - "height": "height", + "by": "av", + "display name": "namn", + "height": "höjd", "licence": "licens", - "max East": "max East", - "max North": "max North", - "max South": "max South", - "max West": "max West", - "max zoom": "max zoom", - "min zoom": "min zoom", + "max East": "max Öst", + "max North": "max Nord", + "max South": "max Syd", + "max West": "max Väst", + "max zoom": "maxgräns zoom", + "min zoom": "minimigräns zoom", "next": "nästa", "previous": "föregående", "width": "bredd", @@ -356,19 +356,19 @@ "1 day": "1 dag", "1 hour": "1 timme", "5 min": "5 min", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", + "Cache proxied request": "Cachelagra proxyförfrågan", + "No cache": "Ingen cache", "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "Optional.", - "Paste your data here": "Paste your data here", - "Please save the map first": "Please save the map first", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "Popup (large)": "Popup (stor)", + "Popup content style": "Innehållsstil för popupfönster", + "Popup shape": "Popup format", + "Skipping unknown geometry.type: {type}": "Okänd geometrityp ignoreras: {type}", + "Optional.": "Valfri.", + "Paste your data here": "Klistra in data här", + "Please save the map first": "Spara kartan först, tack ;)", + "Unable to locate you.": "Misslyckades att hitta din aktuella plats.", + "Feature identifier key": "Unik nyckel för objekt", + "Open current feature on load": "Öppna nuvarande objekt vid uppstart", + "Permalink": "Permanent länk", + "The name of the property to use as feature unique identifier.": "Egenskapen att använda som unik nyckel för objekten (ex: \"id\")" } \ No newline at end of file diff --git a/umap/static/umap/locale/tr.js b/umap/static/umap/locale/tr.js index dabc54d7..bc82a1b5 100644 --- a/umap/static/umap/locale/tr.js +++ b/umap/static/umap/locale/tr.js @@ -6,54 +6,54 @@ var locale = { "Cancel": "İptal", "Caption": "Başlık", "Change symbol": "Sembol değiştir", - "Choose the data format": "Veri biçimini seç", - "Choose the layer of the feature": "Özelliğin katmanını seç", + "Choose the data format": "Veri biçimini seçin", + "Choose the layer of the feature": "Nesnenin katmanını seçin", "Circle": "Daire", "Clustered": "Kümelenmiş", "Data browser": "Veri tarayıcı", "Default": "Varsayılan", "Default zoom level": "Varsayılan yakınlaştırma seviyesi", "Default: name": "Varsayılan: adı", - "Display label": "Görüntü etiketi", - "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", - "Display the data layers control": "Display the data layers control", - "Display the embed control": "Display the embed control", - "Display the fullscreen control": "Display the fullscreen control", - "Display the locate control": "Display the locate control", - "Display the measure control": "Display the measure control", - "Display the search control": "Display the search control", - "Display the tile layers control": "Display the tile layers control", - "Display the zoom control": "Display the zoom control", - "Do you want to display a caption bar?": "Do you want to display a caption bar?", - "Do you want to display a minimap?": "Do you want to display a minimap?", - "Do you want to display a panel on load?": "Do you want to display a panel on load?", - "Do you want to display popup footer?": "Do you want to display popup footer?", - "Do you want to display the scale control?": "Do you want to display the scale control?", - "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Drop", + "Display label": "Etiketi görüntüle", + "Display the control to open OpenStreetMap editor": "OpenStreetMap editörünü açmak için denetimi görüntüle", + "Display the data layers control": "Veri katmanları denetimini görüntüle", + "Display the embed control": "Yerleştirme denetim görüntüle", + "Display the fullscreen control": "Tam ekran denetimini görüntüle", + "Display the locate control": "Konum denetimini görüntüle", + "Display the measure control": "Ölçüm denetimini görüntüle", + "Display the search control": "Arama denetimini görüntüle", + "Display the tile layers control": "Döşeme katmanları kontrolünü göster", + "Display the zoom control": "Yakınlaştırma denetimini görüntüle", + "Do you want to display a caption bar?": "Başlık çubuğunu görüntülemek istiyor musunuz?", + "Do you want to display a minimap?": "Bir minimap görüntülemek istiyor musunuz?", + "Do you want to display a panel on load?": "Yükleme sırasında bir panel görüntülemek istiyor musunuz?", + "Do you want to display popup footer?": "Açılır altbilgi görüntülemek istiyor musunuz?", + "Do you want to display the scale control?": "Ölçek kontrolünü görüntülemek istiyor musunuz?", + "Do you want to display the «more» control?": "«Daha fazla» denetim görüntülemek istiyor musunuz?", + "Drop": "Bırak", "GeoRSS (only link)": "GeoRSS (sadece bağlantı)", "GeoRSS (title + image)": "GeoRSS (başlık + resim)", - "Heatmap": "Sıcaklık haritası", - "Icon shape": "Icon shape", + "Heatmap": "Isı haritası", + "Icon shape": "Simge şekli", "Icon symbol": "Simge sembolu", - "Inherit": "Devralır", - "Label direction": "Etiketin yönü", + "Inherit": "Devral", + "Label direction": "Etiket yönü", "Label key": "Etiketin anahtarı", "Labels are clickable": "Etiketler tıklanabilir", - "None": "Hiç", + "None": "Hiçbiri", "On the bottom": "Altta", "On the left": "Solda", "On the right": "Sağda", "On the top": "Üstte", - "Popup content template": "Popup content template", + "Popup content template": "Pop-up içerik şablonu", "Set symbol": "Sembol seç", - "Side panel": "Yan paneli", + "Side panel": "Yan panel", "Simplify": "Basitleştir", "Symbol or url": "Sembol veya bağlantı", "Table": "Tablo", "always": "her zaman", "clear": "temizle", - "collapsed": "daraltılmış", + "collapsed": "çökmüş", "color": "renk", "dash array": "dash array", "define": "belirt", @@ -69,275 +69,275 @@ var locale = { "never": "asla", "new window": "yeni pencere", "no": "hayır", - "on hover": "üzerinde gezdirince", + "on hover": "vurgulu", "opacity": "şeffaflık", "parent window": "üst pencere", - "stroke": "kontur", + "stroke": "stroke", "weight": "kalınlık", "yes": "evet", "{delay} seconds": "{gecikme} saniye", - "# one hash for main heading": "# one hash for main heading", - "## two hashes for second heading": "## two hashes for second heading", - "### three hashes for third heading": "### three hashes for third heading", - "**double star for bold**": "**double star for bold**", - "*simple star for italic*": "*simple star for italic*", - "--- for an horizontal rule": "--- for an horizontal rule", + "# one hash for main heading": "# ana başlık için bir hash", + "## two hashes for second heading": "# # ana başlık için iki hash", + "### three hashes for third heading": "### ana başlık için üç hash", + "**double star for bold**": "**kalınlaştırma için iki yıldız**", + "*simple star for italic*": "*italik için tek yıldız*", + "--- for an horizontal rule": "--- yatay bir kural için", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".", - "About": "About", - "Action not allowed :(": "Action not allowed :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Add a layer", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Add a new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Advanced actions", - "Advanced properties": "Advanced properties", - "Advanced transition": "Advanced transition", - "All properties are imported.": "All properties are imported.", - "Allow interactions": "Allow interactions", + "About": "Hakkında", + "Action not allowed :(": "Eyleme izin verilmiyor :(", + "Activate slideshow mode": "Slayt gösterisi modunu etkinleştir", + "Add a layer": "Bir katman ekle", + "Add a line to the current multi": "Mevcut çokluya bir satır ekle", + "Add a new property": "Yeni bir özellik ekle", + "Add a polygon to the current multi": "Mevcut çokluya bir çokgen ekle ", + "Advanced actions": "Gelişmiş eylemler", + "Advanced properties": "Gelişmiş özellikler", + "Advanced transition": "Gelişmiş geçiş", + "All properties are imported.": "Tüm özellikler içe aktarılır.", + "Allow interactions": "Etkileşimlere izin ver", "An error occured": "Bir hata oluştu", "Are you sure you want to cancel your changes?": "Değişikliklerinizi iptal etmek istediğinizden emin misiniz?", - "Are you sure you want to clone this map and all its datalayers?": "Are you sure you want to clone this map and all its datalayers?", - "Are you sure you want to delete the feature?": "Are you sure you want to delete the feature?", - "Are you sure you want to delete this layer?": "Are you sure you want to delete this layer?", - "Are you sure you want to delete this map?": "Are you sure you want to delete this map?", - "Are you sure you want to delete this property on all the features?": "Are you sure you want to delete this property on all the features?", - "Are you sure you want to restore this version?": "Are you sure you want to restore this version?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Auto", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Bring feature to center", - "Browse data": "Browse data", - "Cancel edits": "Cancel edits", - "Center map on your location": "Center map on your location", - "Change map background": "Change map background", - "Change tilelayers": "Change tilelayers", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Choose the format of the data to import", - "Choose the layer to import in": "Choose the layer to import in", - "Click last point to finish shape": "Click last point to finish shape", - "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", - "Click to edit": "Click to edit", - "Click to start drawing a line": "Click to start drawing a line", - "Click to start drawing a polygon": "Click to start drawing a polygon", - "Clone": "Clone", - "Clone of {name}": "Clone of {name}", - "Clone this feature": "Clone this feature", - "Clone this map": "Clone this map", - "Close": "Close", - "Clustering radius": "Clustering radius", - "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", + "Are you sure you want to clone this map and all its datalayers?": "Bu haritayı ve tüm veri katmanlarını klonlamak istediğinizden emin misiniz?", + "Are you sure you want to delete the feature?": "Bu nesneyi silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this layer?": "Bu katmanı silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this map?": "Bu haritayı silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this property on all the features?": "Bu özelliği tüm nesnelerde silmek istediğinizden emin misiniz?", + "Are you sure you want to restore this version?": "Bu sürümü geri yüklemek istediğinizden emin misiniz?", + "Attach the map to my account": "Haritayı hesabıma ekle", + "Auto": "Otomatik", + "Autostart when map is loaded": "Harita yüklendiğinde otomatik başlat", + "Bring feature to center": "Nesneyi merkeze getir", + "Browse data": "Verilere göz at", + "Cancel edits": "Düzenlemeleri iptal et", + "Center map on your location": "Bulunduğunuz yere göre haritayı ortala", + "Change map background": "Harita arkaplanını değiştir", + "Change tilelayers": "Haritalama katmanlarını değiştir", + "Choose a preset": "Bir ön ayar seç", + "Choose the format of the data to import": "İçe aktarılacak verilerin biçimini seç", + "Choose the layer to import in": "İçe aktarılacak katmanı seç", + "Click last point to finish shape": "Şekli bitirmek için son noktaya tıklayın", + "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", + "Click to continue drawing": "Çizime devam etmek için tıklayın", + "Click to edit": "Düzenlemek için tıkla", + "Click to start drawing a line": "Çizgi çizmeye başlamak için tıkla", + "Click to start drawing a polygon": "Çokgen çizmeye başlamak için tıkla", + "Clone": "Kopyala", + "Clone of {name}": "{name} kopyası", + "Clone this feature": "Bu özelliği kopyala", + "Clone this map": "Bu haritayı kopyala", + "Close": "Kapat", + "Clustering radius": "Kümeleme yarıçapı", + "Comma separated list of properties to use when filtering features": "Özellikleri filtrelerken kullanılacak özelliklerin virgülle ayrılmış listesi", "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordinates", - "Credits": "Credits", - "Current view instead of default map view?": "Current view instead of default map view?", - "Custom background": "Custom background", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Default properties", - "Default shape properties": "Default shape properties", - "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Delete", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Delete this feature", - "Delete this property on all the features": "Delete this property on all the features", - "Delete this shape": "Delete this shape", + "Continue line": "Çizgiye devam et", + "Continue line (Ctrl+Click)": "Çizgiye devam et (Ctrl+Click)", + "Coordinates": "Koordinatlar", + "Credits": "Krediler", + "Current view instead of default map view?": "Varsayılan harita görünümü yerine mevcut görünüm?", + "Custom background": "Varsayılan arkaplan", + "Data is browsable": "Veriler göz atılabilir", + "Default interaction options": "Varsayılan etkileşim seçenekleri", + "Default properties": "Varsayılan özellikler", + "Default shape properties": "Varsayılan şekil özellikleri", + "Define link to open in a new window on polygon click.": "Poligona tıklayınca yeni bir pencerede açılacak bağlantıyı tanımlayın.", + "Delay between two transitions when in play mode": "Oynatma modundayken iki geçiş arasında gecikme", + "Delete": "Sil", + "Delete all layers": "Bütün katmanları sil", + "Delete layer": "Katmanı sil", + "Delete this feature": "Bu özelliği sil", + "Delete this property on all the features": "Bu özelliği tüm nesnelerde sil", + "Delete this shape": "Bu şekli sil", "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", "Directions from here": "Directions from here", - "Disable editing": "Disable editing", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Disable editing": "Düzenlemeyi devre dışı bırak", + "Display measure": "Ölçüyü göster", + "Display on load": "Yüklerken görüntüle", "Download": "İndir", - "Download data": "Download data", - "Drag to reorder": "Drag to reorder", - "Draw a line": "Draw a line", - "Draw a marker": "Draw a marker", - "Draw a polygon": "Draw a polygon", - "Draw a polyline": "Draw a polyline", - "Dynamic": "Dynamic", - "Dynamic properties": "Dynamic properties", - "Edit": "Edit", - "Edit feature's layer": "Edit feature's layer", - "Edit map properties": "Edit map properties", - "Edit map settings": "Edit map settings", - "Edit properties in a table": "Edit properties in a table", - "Edit this feature": "Edit this feature", - "Editing": "Editing", - "Embed and share this map": "Embed and share this map", - "Embed the map": "Embed the map", - "Empty": "Empty", - "Enable editing": "Enable editing", - "Error in the tilelayer URL": "Error in the tilelayer URL", - "Error while fetching {url}": "Error while fetching {url}", - "Exit Fullscreen": "Exit Fullscreen", - "Extract shape to separate feature": "Extract shape to separate feature", - "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", - "Filter…": "Filter…", + "Download data": "Veriyi indir", + "Drag to reorder": "Yeniden sıralamak için sürükle", + "Draw a line": "Bir çizgi çiz", + "Draw a marker": "Bir işaretleyici çiz", + "Draw a polygon": "Bir çokgen çiz", + "Draw a polyline": "Çoklu çizgi çiz", + "Dynamic": "Dinamik", + "Dynamic properties": "Dinamik özellikler", + "Edit": "Düzenle", + "Edit feature's layer": "Özellikler katmanını düzenle", + "Edit map properties": "Harita özelliklerini düzenle", + "Edit map settings": "Harita ayarlarını düzenle", + "Edit properties in a table": "Özellikleri bir tabloda düzenle", + "Edit this feature": "Bu özelliği düzenle", + "Editing": "Düzenleme", + "Embed and share this map": "Bu haritayı yerleştir ve paylaş", + "Embed the map": "Haritayı yerleştir", + "Empty": "Boşalt", + "Enable editing": "Düzenlemeyi etkinleştir", + "Error in the tilelayer URL": "Katman URL'sinde hata", + "Error while fetching {url}": "{url} getirilirken hata oluştu", + "Exit Fullscreen": "Tam ekrandan çık", + "Extract shape to separate feature": "Özelliği ayırmak için şekli ayıklayın", + "Fetch data each time map view changes.": "Harita görünümü her değiştiğinde verileri alın.", + "Filter keys": "Anahtarları filtrele", + "Filter…": "Filtrele...", "Format": "Format", - "From zoom": "From zoom", - "Full map data": "Full map data", - "Go to «{feature}»": "Go to «{feature}»", - "Heatmap intensity property": "Heatmap intensity property", - "Heatmap radius": "Heatmap radius", - "Help": "Help", - "Hide controls": "Hide controls", - "Home": "Home", + "From zoom": "Yakınlaştırmadan", + "Full map data": "Tam harita verileri", + "Go to «{feature}»": "«{feature}» git", + "Heatmap intensity property": "Isı haritası yoğunluk özelliği", + "Heatmap radius": "Isı haritası yarıçapı", + "Help": "Yardım", + "Hide controls": "Kontrolleri gizle", + "Home": "Ana sayfa", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", - "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", - "Iframe export options": "Iframe export options", + "If false, the polygon will act as a part of the underlying map.": "Yanlış ise, çokgen altta yatan haritanın bir parçası olarak hareket edecektir.", + "Iframe export options": "Iframe dışa aktarma seçenekleri", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", - "Image with custom width (in px): {{http://image.url.com|width}}": "Image with custom width (in px): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", - "Import": "Import", - "Import data": "Import data", - "Import in a new layer": "Import in a new layer", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", - "Interaction options": "Interaction options", - "Invalid umap data": "Invalid umap data", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", - "Keep current visible layers": "Keep current visible layers", - "Latitude": "Latitude", - "Layer": "Layer", - "Layer properties": "Layer properties", - "Licence": "Licence", - "Limit bounds": "Limit bounds", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Link with text: [[http://example.com|text of the link]]", - "Long credits": "Long credits", - "Longitude": "Longitude", - "Make main shape": "Make main shape", - "Manage layers": "Manage layers", + "Image with custom width (in px): {{http://image.url.com|width}}": "Özel genişliğe sahip resim (piksel cinsinden): {{http://image.url.com|width}}", + "Image: {{http://image.url.com}}": "Görüntü: {{http://image.url.com}}", + "Import": "İçe aktar", + "Import data": "İçeri veri aktar", + "Import in a new layer": "Yeni katman aktar", + "Imports all umap data, including layers and settings.": "Katmanlar ve özellikler dahil olmak üzere bütün umap verisini ekle.", + "Include full screen link?": "Tam ekran bağlantısını ekle?", + "Interaction options": "Etkileşim seçenekleri", + "Invalid umap data": "Geçersiz umap verisi", + "Invalid umap data in {filename}": " {filename}'de geçersiz umap verisi", + "Keep current visible layers": "Şuan görünen katmanları tut", + "Latitude": "Enlem", + "Layer": "Katman", + "Layer properties": "Katman özellikleri", + "Licence": "Lisans", + "Limit bounds": "Sınırı sınırlandır", + "Link to…": "Şuna bağlantı...", + "Link with text: [[http://example.com|text of the link]]": "Metin ile bağlantı: [[http://example.com|text of the link]]", + "Long credits": "Uzun krediler", + "Longitude": "Boylam", + "Make main shape": "Ana şekil yap", + "Manage layers": "Katmanları yönet", "Map background credits": "Map background credits", - "Map has been attached to your account": "Map has been attached to your account", - "Map has been saved!": "Map has been saved!", - "Map user content has been published under licence": "Map user content has been published under licence", - "Map's editors": "Haritanın editörleri", + "Map has been attached to your account": "Harita hesabınıza bağlandı", + "Map has been saved!": "Harita kaydedildi!", + "Map user content has been published under licence": "Harita kullanıcı içeriği lisans altında yayınlandı", + "Map's editors": "Haritanın editörü", "Map's owner": "Haritanın sahibi", - "Merge lines": "Merge lines", - "More controls": "More controls", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", - "No licence has been set": "No licence has been set", - "No results": "No results", - "Only visible features will be downloaded.": "Only visible features will be downloaded.", - "Open download panel": "Open download panel", - "Open link in…": "Open link in…", - "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Open this map extent in a map editor to provide more accurate data to OpenStreetMap", - "Optional intensity property for heatmap": "Optional intensity property for heatmap", - "Optional. Same as color if not set.": "Optional. Same as color if not set.", - "Override clustering radius (default 80)": "Override clustering radius (default 80)", - "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", - "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", - "Please choose a format": "Please choose a format", - "Please enter the name of the property": "Please enter the name of the property", - "Please enter the new name of this property": "Please enter the new name of this property", + "Merge lines": "Çizgileri birleştir", + "More controls": "Daha fazla kontrol", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Geçerli CSS değeri olmalı (örneğin: DarkBlue ya da #123456)", + "No licence has been set": "Hiçbir lisans ayarlanmadı", + "No results": "Sonuç yok", + "Only visible features will be downloaded.": "Sadece görünen özellikler indirilecek", + "Open download panel": "İndirme panelini aç", + "Open link in…": "Bağlantıyı şurada aç", + "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "OpenStreetMap'e daha doğru veri sağlayabilmek için bu harita kapsamını bir harita düzenleyicide aç", + "Optional intensity property for heatmap": "Isı haritası için isteğe bağlı yoğunluk özelliği", + "Optional. Same as color if not set.": "İsteğe bağlı. Eğer ayarlanmazsa renk ile aynı.", + "Override clustering radius (default 80)": "Kümeleme yarıçapını geçersiz kıl (varsayılan 80)", + "Override heatmap radius (default 25)": "Isı haritası yarıçapını geçersiz kıl (varsayılan 25)", + "Please be sure the licence is compliant with your use.": "Lütfen lisansın kullanımınızla uyumlu olduğundan emin olun.", + "Please choose a format": "Lütfen bir biçim seçin", + "Please enter the name of the property": "Lütfen bu özelliğin adını girin", + "Please enter the new name of this property": "Lütfen bu özelliğin yeni adını girin", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", - "Problem in the response": "Problem in the response", - "Problem in the response format": "Problem in the response format", - "Properties imported:": "Properties imported:", - "Property to use for sorting features": "Property to use for sorting features", - "Provide an URL here": "Provide an URL here", - "Proxy request": "Proxy request", - "Remote data": "Remote data", - "Remove shape from the multi": "Remove shape from the multi", - "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", - "Save": "Save", - "Save anyway": "Save anyway", - "Save current edits": "Save current edits", - "Save this center and zoom": "Save this center and zoom", - "Save this location as new feature": "Save this location as new feature", - "Search a place name": "Bir yerinin adı ara", - "Search location": "Search location", - "Secret edit link is:
{link}": "Saklı düzenleme bağlantısı şu:
{link}", - "See all": "See all", - "See data layers": "Veri tabakaları görüntüle", - "See full screen": "See full screen", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", - "Short URL": "Short URL", - "Short credits": "Short credits", - "Show/hide layer": "Show/hide layer", - "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", - "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", - "Split line": "Split line", - "Start a hole here": "Start a hole here", - "Start editing": "Start editing", - "Start slideshow": "Start slideshow", - "Stop editing": "Stop editing", - "Stop slideshow": "Stop slideshow", - "Supported scheme": "Supported scheme", - "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", + "Problem in the response": "Yanıtta sorun", + "Problem in the response format": "Yanıt biçiminde sorun", + "Properties imported:": "İçe aktarılan özellikler:", + "Property to use for sorting features": "Nesneleri sıralamak için kullanılacak özellik", + "Provide an URL here": "Buraya bir URL girin", + "Proxy request": "Proxy isteği", + "Remote data": "Uzaktan veriler", + "Remove shape from the multi": "Şekli çokludan kaldır", + "Rename this property on all the features": "Bu özelliği tüm nesnelerde yeniden adlandırın", + "Replace layer content": "Katman içeriğini değiştir", + "Restore this version": "Bu sürümü geri yükleyin", + "Save": "Kaydet", + "Save anyway": "Yine de kaydet", + "Save current edits": "Şimdiki düzenlemeleri kaydet", + "Save this center and zoom": "Bu merkezi kaydet ve yakınlaştır", + "Save this location as new feature": "Bu konumu yeni özellik olarak kaydet", + "Search a place name": "Yer adı ara", + "Search location": "Konum ara", + "Secret edit link is:
{link}": "Saklı düzenleme bağlantısı:
{link}", + "See all": "Hepsini gör", + "See data layers": "Veri katmanlarını gör", + "See full screen": "Tam ekranda gör", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Bu katmanı slayt gösterisinden, veri tarayıcısından, pop-up gezinmeden gizlemek için yanlış olarak ayarlayın ...", + "Shape properties": "Şekil özellikleri", + "Short URL": "Kısa URL", + "Short credits": "Kısa krediler", + "Show/hide layer": "Katmanı göster/gizle", + "Simple link: [[http://example.com]]": "Basit bağlantı: [[http://example.com]]", + "Slideshow": "Slayt gösterisi", + "Smart transitions": "Akıllı geçişler", + "Sort key": "Kısa anahtar", + "Split line": "Çizgiyi böl", + "Start a hole here": "Burada bir delik aç", + "Start editing": "Düzenlemeye başla", + "Start slideshow": "Slayt gösterisini başlat", + "Stop editing": "Düzenlemeyi durdur", + "Stop slideshow": "Slayt gösterisini durdur", + "Supported scheme": "Desteklenen şema", + "Supported variables that will be dynamically replaced": "Dinamik olarak değiştirilecek desteklenen değişkenler", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.", - "TMS format": "TMS format", - "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", - "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "The zoom and center have been set.", - "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", - "To zoom": "To zoom", - "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", - "Transfer shape to edited feature": "Transfer shape to edited feature", - "Transform to lines": "Transform to lines", - "Transform to polygon": "Transform to polygon", - "Type of layer": "Type of layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", - "Untitled layer": "Untitled layer", - "Untitled map": "Untitled map", + "TMS format": "TMS formatı", + "Text color for the cluster label": "Küme etiketi için metin rengi", + "Text formatting": "Metin biçimlendirme", + "The name of the property to use as feature label (ex.: \"nom\")": "Nesne etiketi olarak kullanılacak özelliğin adı (örn.: \"nom\")", + "The zoom and center have been setted.": "Yakınlaştırma ve merkez ayarlandı.", + "To use if remote server doesn't allow cross domain (slower)": "Uzak sunucu etki alanları arası izin vermiyorsa kullanmak için (daha yavaş)", + "To zoom": "Yakınlaştırmak için", + "Toggle edit mode (Shift+Click)": "Düzenleme modunu değiştir (Shift+Click)", + "Transfer shape to edited feature": "Şekli düzenlenmiş özelliğe transfer et", + "Transform to lines": "Çizgilere dönüştür", + "Transform to polygon": "Çokgene dönüştür", + "Type of layer": "Katmanın tipi", + "Unable to detect format of file {filename}": "Dosyanın biçimi belirlenemedi {filename}", + "Untitled layer": "Adlandırılmamış katman", + "Untitled map": "Adlandırılmamış harita", "Update permissions": "İzinleri güncelle", - "Update permissions and editors": "Update permissions and editors", + "Update permissions and editors": "İzinleri ve düzenleyicileri güncelleyin\n", "Url": "Url", - "Use current bounds": "Use current bounds", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", - "User content credits": "User content credits", - "User interface options": "User interface options", - "Versions": "Versions", - "View Fullscreen": "View Fullscreen", - "Where do we go from here?": "Where do we go from here?", - "Whether to display or not polygons paths.": "Whether to display or not polygons paths.", - "Whether to fill polygons with color.": "Whether to fill polygons with color.", - "Who can edit": "Kimin düzeltme hakkı var", - "Who can view": "Kimin görüntüleme hakkı var", - "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", - "Will be visible in the caption of the map": "Will be visible in the caption of the map", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", - "Zoom in": "Zoom in", - "Zoom level for automatic zooms": "Zoom level for automatic zooms", - "Zoom out": "Zoom out", - "Zoom to layer extent": "Zoom to layer extent", - "Zoom to the next": "Zoom to the next", - "Zoom to the previous": "Zoom to the previous", - "Zoom to this feature": "Zoom to this feature", - "Zoom to this place": "Zoom to this place", - "attribution": "attribution", - "by": "by", - "display name": "display name", - "height": "height", - "licence": "licence", - "max East": "max East", - "max North": "max North", - "max South": "max South", - "max West": "max West", - "max zoom": "max zoom", - "min zoom": "min zoom", - "next": "next", - "previous": "previous", - "width": "width", - "{count} errors during import: {message}": "{count} errors during import: {message}", - "Measure distances": "Mesafeleri ölçtür", - "NM": "Deniz mil", + "Use current bounds": "Geçerli sınırları kullan", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Parantezler arasında nesne özelliklerine sahip yer tutucuları kullanın, örneğin. {isim}, dinamik olarak karşılık gelen değerlerle değiştirilecektir.", + "User content credits": "Kullanıcı içerik kredisi", + "User interface options": "Kullanıcı arayüzü seçenekleri", + "Versions": "Sürümler ", + "View Fullscreen": "Tam ekranda görüntüle", + "Where do we go from here?": "Buradan sonra nereye gidiyoruz?", + "Whether to display or not polygons paths.": "Çokgen yolların görüntülenip görüntülenmeyeceği", + "Whether to fill polygons with color.": "Çokgenleri renkle doldur ya da doldurma", + "Who can edit": "Kim düzenleyebilir", + "Who can view": "Kim görüntüleyebilir", + "Will be displayed in the bottom right corner of the map": "Haritanın sağ alt köşesinde görüntülenecek", + "Will be visible in the caption of the map": "Haritanın başlığında görüntülenecek", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Başka biri verileri düzenlemiş gibi görünüyor. Yine de kaydedebilirsiniz, ancak bu başkaları tarafından yapılan değişiklikleri siler.", + "You have unsaved changes.": "Kaydedilmemiş değişiklikler var.", + "Zoom in": "Yakınlaştır", + "Zoom level for automatic zooms": "Otomatik yakınlaştırma için yakınlaştırma seviyesi", + "Zoom out": "Uzaklaştır", + "Zoom to layer extent": "Katman genişliğine yakınlaştır", + "Zoom to the next": "Bir sonrakine yakınlaştır", + "Zoom to the previous": "Bir öncekine yakınlaştır", + "Zoom to this feature": "Bu nesneyi yakınlaştır", + "Zoom to this place": "Bu yere yakınlaştırın", + "attribution": "atıf", + "by": "tarafından", + "display name": "görünen ad", + "height": "yükseklik", + "licence": "lisans", + "max East": "max Doğu", + "max North": "max Kuzey", + "max South": "max Güney", + "max West": "max Batı", + "max zoom": "max yakınlaştır ", + "min zoom": "min yakınlaştırma", + "next": "sonraki", + "previous": "önceki", + "width": "genişlik", + "{count} errors during import: {message}": "{sayı} içe aktarma sırasında hatalar: {mesaj}", + "Measure distances": "Mesafeleri ölçün", + "NM": "NM", "kilometers": "kilometre", "km": "km", "mi": "mi", @@ -355,22 +355,22 @@ var locale = { "{distance} yd": "{distance} yd", "1 day": "1 gün", "1 hour": "1 saat", - "5 min": "5 dk", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", - "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "İsteğe bağlı", - "Paste your data here": "Veri brada yapıştır", - "Please save the map first": "Lütfen önce haritayı kaydet", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "5 min": "5 dakika", + "Cache proxied request": "Önbellek proxy isteği", + "No cache": "Önbellek yok", + "Popup": "Açılır pencere", + "Popup (large)": "Açılır pencere (büyük)", + "Popup content style": "Pop-up içerik stili", + "Popup shape": "Pop-up şekli", + "Skipping unknown geometry.type: {type}": "Bilinmeyen geometri tipini atlama: {type}", + "Optional.": "İsteğe bağlı.", + "Paste your data here": "Paste your data here", + "Please save the map first": "Lütfen önce haritayı kaydedin", + "Unable to locate you.": "Seni bulamadık.", + "Feature identifier key": "Nesne tanımlayıcı anahtarı", + "Open current feature on load": "Mevcut yüklemede olan nesneyi aç", + "Permalink": "Kalıcı bağlantı", + "The name of the property to use as feature unique identifier.": "Nesne özgün tanımlayıcısı olarak kullanılacak özelliğin adı" }; L.registerLocale("tr", locale); L.setLocale("tr"); \ No newline at end of file diff --git a/umap/static/umap/locale/tr.json b/umap/static/umap/locale/tr.json index 2a1c2081..91da9014 100644 --- a/umap/static/umap/locale/tr.json +++ b/umap/static/umap/locale/tr.json @@ -6,54 +6,54 @@ "Cancel": "İptal", "Caption": "Başlık", "Change symbol": "Sembol değiştir", - "Choose the data format": "Veri biçimini seç", - "Choose the layer of the feature": "Özelliğin katmanını seç", + "Choose the data format": "Veri biçimini seçin", + "Choose the layer of the feature": "Nesnenin katmanını seçin", "Circle": "Daire", "Clustered": "Kümelenmiş", "Data browser": "Veri tarayıcı", "Default": "Varsayılan", "Default zoom level": "Varsayılan yakınlaştırma seviyesi", "Default: name": "Varsayılan: adı", - "Display label": "Görüntü etiketi", - "Display the control to open OpenStreetMap editor": "Display the control to open OpenStreetMap editor", - "Display the data layers control": "Display the data layers control", - "Display the embed control": "Display the embed control", - "Display the fullscreen control": "Display the fullscreen control", - "Display the locate control": "Display the locate control", - "Display the measure control": "Display the measure control", - "Display the search control": "Display the search control", - "Display the tile layers control": "Display the tile layers control", - "Display the zoom control": "Display the zoom control", - "Do you want to display a caption bar?": "Do you want to display a caption bar?", - "Do you want to display a minimap?": "Do you want to display a minimap?", - "Do you want to display a panel on load?": "Do you want to display a panel on load?", - "Do you want to display popup footer?": "Do you want to display popup footer?", - "Do you want to display the scale control?": "Do you want to display the scale control?", - "Do you want to display the «more» control?": "Do you want to display the «more» control?", - "Drop": "Drop", + "Display label": "Etiketi görüntüle", + "Display the control to open OpenStreetMap editor": "OpenStreetMap editörünü açmak için denetimi görüntüle", + "Display the data layers control": "Veri katmanları denetimini görüntüle", + "Display the embed control": "Yerleştirme denetim görüntüle", + "Display the fullscreen control": "Tam ekran denetimini görüntüle", + "Display the locate control": "Konum denetimini görüntüle", + "Display the measure control": "Ölçüm denetimini görüntüle", + "Display the search control": "Arama denetimini görüntüle", + "Display the tile layers control": "Döşeme katmanları kontrolünü göster", + "Display the zoom control": "Yakınlaştırma denetimini görüntüle", + "Do you want to display a caption bar?": "Başlık çubuğunu görüntülemek istiyor musunuz?", + "Do you want to display a minimap?": "Bir minimap görüntülemek istiyor musunuz?", + "Do you want to display a panel on load?": "Yükleme sırasında bir panel görüntülemek istiyor musunuz?", + "Do you want to display popup footer?": "Açılır altbilgi görüntülemek istiyor musunuz?", + "Do you want to display the scale control?": "Ölçek kontrolünü görüntülemek istiyor musunuz?", + "Do you want to display the «more» control?": "«Daha fazla» denetim görüntülemek istiyor musunuz?", + "Drop": "Bırak", "GeoRSS (only link)": "GeoRSS (sadece bağlantı)", "GeoRSS (title + image)": "GeoRSS (başlık + resim)", - "Heatmap": "Sıcaklık haritası", - "Icon shape": "Icon shape", + "Heatmap": "Isı haritası", + "Icon shape": "Simge şekli", "Icon symbol": "Simge sembolu", - "Inherit": "Devralır", - "Label direction": "Etiketin yönü", + "Inherit": "Devral", + "Label direction": "Etiket yönü", "Label key": "Etiketin anahtarı", "Labels are clickable": "Etiketler tıklanabilir", - "None": "Hiç", + "None": "Hiçbiri", "On the bottom": "Altta", "On the left": "Solda", "On the right": "Sağda", "On the top": "Üstte", - "Popup content template": "Popup content template", + "Popup content template": "Pop-up içerik şablonu", "Set symbol": "Sembol seç", - "Side panel": "Yan paneli", + "Side panel": "Yan panel", "Simplify": "Basitleştir", "Symbol or url": "Sembol veya bağlantı", "Table": "Tablo", "always": "her zaman", "clear": "temizle", - "collapsed": "daraltılmış", + "collapsed": "çökmüş", "color": "renk", "dash array": "dash array", "define": "belirt", @@ -69,275 +69,275 @@ "never": "asla", "new window": "yeni pencere", "no": "hayır", - "on hover": "üzerinde gezdirince", + "on hover": "vurgulu", "opacity": "şeffaflık", "parent window": "üst pencere", - "stroke": "kontur", + "stroke": "stroke", "weight": "kalınlık", "yes": "evet", "{delay} seconds": "{gecikme} saniye", - "# one hash for main heading": "# one hash for main heading", - "## two hashes for second heading": "## two hashes for second heading", - "### three hashes for third heading": "### three hashes for third heading", - "**double star for bold**": "**double star for bold**", - "*simple star for italic*": "*simple star for italic*", - "--- for an horizontal rule": "--- for an horizontal rule", + "# one hash for main heading": "# ana başlık için bir hash", + "## two hashes for second heading": "# # ana başlık için iki hash", + "### three hashes for third heading": "### ana başlık için üç hash", + "**double star for bold**": "**kalınlaştırma için iki yıldız**", + "*simple star for italic*": "*italik için tek yıldız*", + "--- for an horizontal rule": "--- yatay bir kural için", "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".": "A comma separated list of numbers that defines the stroke dash pattern. Ex.: \"5, 10, 15\".", - "About": "About", - "Action not allowed :(": "Action not allowed :(", - "Activate slideshow mode": "Activate slideshow mode", - "Add a layer": "Add a layer", - "Add a line to the current multi": "Add a line to the current multi", - "Add a new property": "Add a new property", - "Add a polygon to the current multi": "Add a polygon to the current multi", - "Advanced actions": "Advanced actions", - "Advanced properties": "Advanced properties", - "Advanced transition": "Advanced transition", - "All properties are imported.": "All properties are imported.", - "Allow interactions": "Allow interactions", + "About": "Hakkında", + "Action not allowed :(": "Eyleme izin verilmiyor :(", + "Activate slideshow mode": "Slayt gösterisi modunu etkinleştir", + "Add a layer": "Bir katman ekle", + "Add a line to the current multi": "Mevcut çokluya bir satır ekle", + "Add a new property": "Yeni bir özellik ekle", + "Add a polygon to the current multi": "Mevcut çokluya bir çokgen ekle ", + "Advanced actions": "Gelişmiş eylemler", + "Advanced properties": "Gelişmiş özellikler", + "Advanced transition": "Gelişmiş geçiş", + "All properties are imported.": "Tüm özellikler içe aktarılır.", + "Allow interactions": "Etkileşimlere izin ver", "An error occured": "Bir hata oluştu", "Are you sure you want to cancel your changes?": "Değişikliklerinizi iptal etmek istediğinizden emin misiniz?", - "Are you sure you want to clone this map and all its datalayers?": "Are you sure you want to clone this map and all its datalayers?", - "Are you sure you want to delete the feature?": "Are you sure you want to delete the feature?", - "Are you sure you want to delete this layer?": "Are you sure you want to delete this layer?", - "Are you sure you want to delete this map?": "Are you sure you want to delete this map?", - "Are you sure you want to delete this property on all the features?": "Are you sure you want to delete this property on all the features?", - "Are you sure you want to restore this version?": "Are you sure you want to restore this version?", - "Attach the map to my account": "Attach the map to my account", - "Auto": "Auto", - "Autostart when map is loaded": "Autostart when map is loaded", - "Bring feature to center": "Bring feature to center", - "Browse data": "Browse data", - "Cancel edits": "Cancel edits", - "Center map on your location": "Center map on your location", - "Change map background": "Change map background", - "Change tilelayers": "Change tilelayers", - "Choose a preset": "Choose a preset", - "Choose the format of the data to import": "Choose the format of the data to import", - "Choose the layer to import in": "Choose the layer to import in", - "Click last point to finish shape": "Click last point to finish shape", - "Click to add a marker": "Click to add a marker", - "Click to continue drawing": "Click to continue drawing", - "Click to edit": "Click to edit", - "Click to start drawing a line": "Click to start drawing a line", - "Click to start drawing a polygon": "Click to start drawing a polygon", - "Clone": "Clone", - "Clone of {name}": "Clone of {name}", - "Clone this feature": "Clone this feature", - "Clone this map": "Clone this map", - "Close": "Close", - "Clustering radius": "Clustering radius", - "Comma separated list of properties to use when filtering features": "Comma separated list of properties to use when filtering features", + "Are you sure you want to clone this map and all its datalayers?": "Bu haritayı ve tüm veri katmanlarını klonlamak istediğinizden emin misiniz?", + "Are you sure you want to delete the feature?": "Bu nesneyi silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this layer?": "Bu katmanı silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this map?": "Bu haritayı silmek istediğinizden emin misiniz?", + "Are you sure you want to delete this property on all the features?": "Bu özelliği tüm nesnelerde silmek istediğinizden emin misiniz?", + "Are you sure you want to restore this version?": "Bu sürümü geri yüklemek istediğinizden emin misiniz?", + "Attach the map to my account": "Haritayı hesabıma ekle", + "Auto": "Otomatik", + "Autostart when map is loaded": "Harita yüklendiğinde otomatik başlat", + "Bring feature to center": "Nesneyi merkeze getir", + "Browse data": "Verilere göz at", + "Cancel edits": "Düzenlemeleri iptal et", + "Center map on your location": "Bulunduğunuz yere göre haritayı ortala", + "Change map background": "Harita arkaplanını değiştir", + "Change tilelayers": "Haritalama katmanlarını değiştir", + "Choose a preset": "Bir ön ayar seç", + "Choose the format of the data to import": "İçe aktarılacak verilerin biçimini seç", + "Choose the layer to import in": "İçe aktarılacak katmanı seç", + "Click last point to finish shape": "Şekli bitirmek için son noktaya tıklayın", + "Click to add a marker": "Bir işaretleyici eklemek için tıklayın", + "Click to continue drawing": "Çizime devam etmek için tıklayın", + "Click to edit": "Düzenlemek için tıkla", + "Click to start drawing a line": "Çizgi çizmeye başlamak için tıkla", + "Click to start drawing a polygon": "Çokgen çizmeye başlamak için tıkla", + "Clone": "Kopyala", + "Clone of {name}": "{name} kopyası", + "Clone this feature": "Bu özelliği kopyala", + "Clone this map": "Bu haritayı kopyala", + "Close": "Kapat", + "Clustering radius": "Kümeleme yarıçapı", + "Comma separated list of properties to use when filtering features": "Özellikleri filtrelerken kullanılacak özelliklerin virgülle ayrılmış listesi", "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.": "Comma, tab or semi-colon separated values. SRS WGS84 is implied. Only Point geometries are imported. The import will look at the column headers for any mention of «lat» and «lon» at the begining of the header, case insensitive. All other column are imported as properties.", - "Continue line": "Continue line", - "Continue line (Ctrl+Click)": "Continue line (Ctrl+Click)", - "Coordinates": "Coordinates", - "Credits": "Credits", - "Current view instead of default map view?": "Current view instead of default map view?", - "Custom background": "Custom background", - "Data is browsable": "Data is browsable", - "Default interaction options": "Default interaction options", - "Default properties": "Default properties", - "Default shape properties": "Default shape properties", - "Define link to open in a new window on polygon click.": "Define link to open in a new window on polygon click.", - "Delay between two transitions when in play mode": "Delay between two transitions when in play mode", - "Delete": "Delete", - "Delete all layers": "Delete all layers", - "Delete layer": "Delete layer", - "Delete this feature": "Delete this feature", - "Delete this property on all the features": "Delete this property on all the features", - "Delete this shape": "Delete this shape", + "Continue line": "Çizgiye devam et", + "Continue line (Ctrl+Click)": "Çizgiye devam et (Ctrl+Click)", + "Coordinates": "Koordinatlar", + "Credits": "Krediler", + "Current view instead of default map view?": "Varsayılan harita görünümü yerine mevcut görünüm?", + "Custom background": "Varsayılan arkaplan", + "Data is browsable": "Veriler göz atılabilir", + "Default interaction options": "Varsayılan etkileşim seçenekleri", + "Default properties": "Varsayılan özellikler", + "Default shape properties": "Varsayılan şekil özellikleri", + "Define link to open in a new window on polygon click.": "Poligona tıklayınca yeni bir pencerede açılacak bağlantıyı tanımlayın.", + "Delay between two transitions when in play mode": "Oynatma modundayken iki geçiş arasında gecikme", + "Delete": "Sil", + "Delete all layers": "Bütün katmanları sil", + "Delete layer": "Katmanı sil", + "Delete this feature": "Bu özelliği sil", + "Delete this property on all the features": "Bu özelliği tüm nesnelerde sil", + "Delete this shape": "Bu şekli sil", "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", "Directions from here": "Directions from here", - "Disable editing": "Disable editing", - "Display measure": "Display measure", - "Display on load": "Display on load", + "Disable editing": "Düzenlemeyi devre dışı bırak", + "Display measure": "Ölçüyü göster", + "Display on load": "Yüklerken görüntüle", "Download": "İndir", - "Download data": "Download data", - "Drag to reorder": "Drag to reorder", - "Draw a line": "Draw a line", - "Draw a marker": "Draw a marker", - "Draw a polygon": "Draw a polygon", - "Draw a polyline": "Draw a polyline", - "Dynamic": "Dynamic", - "Dynamic properties": "Dynamic properties", - "Edit": "Edit", - "Edit feature's layer": "Edit feature's layer", - "Edit map properties": "Edit map properties", - "Edit map settings": "Edit map settings", - "Edit properties in a table": "Edit properties in a table", - "Edit this feature": "Edit this feature", - "Editing": "Editing", - "Embed and share this map": "Embed and share this map", - "Embed the map": "Embed the map", - "Empty": "Empty", - "Enable editing": "Enable editing", - "Error in the tilelayer URL": "Error in the tilelayer URL", - "Error while fetching {url}": "Error while fetching {url}", - "Exit Fullscreen": "Exit Fullscreen", - "Extract shape to separate feature": "Extract shape to separate feature", - "Fetch data each time map view changes.": "Fetch data each time map view changes.", - "Filter keys": "Filter keys", - "Filter…": "Filter…", + "Download data": "Veriyi indir", + "Drag to reorder": "Yeniden sıralamak için sürükle", + "Draw a line": "Bir çizgi çiz", + "Draw a marker": "Bir işaretleyici çiz", + "Draw a polygon": "Bir çokgen çiz", + "Draw a polyline": "Çoklu çizgi çiz", + "Dynamic": "Dinamik", + "Dynamic properties": "Dinamik özellikler", + "Edit": "Düzenle", + "Edit feature's layer": "Özellikler katmanını düzenle", + "Edit map properties": "Harita özelliklerini düzenle", + "Edit map settings": "Harita ayarlarını düzenle", + "Edit properties in a table": "Özellikleri bir tabloda düzenle", + "Edit this feature": "Bu özelliği düzenle", + "Editing": "Düzenleme", + "Embed and share this map": "Bu haritayı yerleştir ve paylaş", + "Embed the map": "Haritayı yerleştir", + "Empty": "Boşalt", + "Enable editing": "Düzenlemeyi etkinleştir", + "Error in the tilelayer URL": "Katman URL'sinde hata", + "Error while fetching {url}": "{url} getirilirken hata oluştu", + "Exit Fullscreen": "Tam ekrandan çık", + "Extract shape to separate feature": "Özelliği ayırmak için şekli ayıklayın", + "Fetch data each time map view changes.": "Harita görünümü her değiştiğinde verileri alın.", + "Filter keys": "Anahtarları filtrele", + "Filter…": "Filtrele...", "Format": "Format", - "From zoom": "From zoom", - "Full map data": "Full map data", - "Go to «{feature}»": "Go to «{feature}»", - "Heatmap intensity property": "Heatmap intensity property", - "Heatmap radius": "Heatmap radius", - "Help": "Help", - "Hide controls": "Hide controls", - "Home": "Home", + "From zoom": "Yakınlaştırmadan", + "Full map data": "Tam harita verileri", + "Go to «{feature}»": "«{feature}» git", + "Heatmap intensity property": "Isı haritası yoğunluk özelliği", + "Heatmap radius": "Isı haritası yarıçapı", + "Help": "Yardım", + "Hide controls": "Kontrolleri gizle", + "Home": "Ana sayfa", "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)": "How much to simplify the polyline on each zoom level (more = better performance and smoother look, less = more accurate)", - "If false, the polygon will act as a part of the underlying map.": "If false, the polygon will act as a part of the underlying map.", - "Iframe export options": "Iframe export options", + "If false, the polygon will act as a part of the underlying map.": "Yanlış ise, çokgen altta yatan haritanın bir parçası olarak hareket edecektir.", + "Iframe export options": "Iframe dışa aktarma seçenekleri", "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}": "Iframe with custom height (in px): {{{http://iframe.url.com|height}}}", "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}": "Iframe with custom height and width (in px): {{{http://iframe.url.com|height*width}}}", "Iframe: {{{http://iframe.url.com}}}": "Iframe: {{{http://iframe.url.com}}}", - "Image with custom width (in px): {{http://image.url.com|width}}": "Image with custom width (in px): {{http://image.url.com|width}}", - "Image: {{http://image.url.com}}": "Image: {{http://image.url.com}}", - "Import": "Import", - "Import data": "Import data", - "Import in a new layer": "Import in a new layer", - "Imports all umap data, including layers and settings.": "Imports all umap data, including layers and settings.", - "Include full screen link?": "Include full screen link?", - "Interaction options": "Interaction options", - "Invalid umap data": "Invalid umap data", - "Invalid umap data in {filename}": "Invalid umap data in {filename}", - "Keep current visible layers": "Keep current visible layers", - "Latitude": "Latitude", - "Layer": "Layer", - "Layer properties": "Layer properties", - "Licence": "Licence", - "Limit bounds": "Limit bounds", - "Link to…": "Link to…", - "Link with text: [[http://example.com|text of the link]]": "Link with text: [[http://example.com|text of the link]]", - "Long credits": "Long credits", - "Longitude": "Longitude", - "Make main shape": "Make main shape", - "Manage layers": "Manage layers", + "Image with custom width (in px): {{http://image.url.com|width}}": "Özel genişliğe sahip resim (piksel cinsinden): {{http://image.url.com|width}}", + "Image: {{http://image.url.com}}": "Görüntü: {{http://image.url.com}}", + "Import": "İçe aktar", + "Import data": "İçeri veri aktar", + "Import in a new layer": "Yeni katman aktar", + "Imports all umap data, including layers and settings.": "Katmanlar ve özellikler dahil olmak üzere bütün umap verisini ekle.", + "Include full screen link?": "Tam ekran bağlantısını ekle?", + "Interaction options": "Etkileşim seçenekleri", + "Invalid umap data": "Geçersiz umap verisi", + "Invalid umap data in {filename}": " {filename}'de geçersiz umap verisi", + "Keep current visible layers": "Şuan görünen katmanları tut", + "Latitude": "Enlem", + "Layer": "Katman", + "Layer properties": "Katman özellikleri", + "Licence": "Lisans", + "Limit bounds": "Sınırı sınırlandır", + "Link to…": "Şuna bağlantı...", + "Link with text: [[http://example.com|text of the link]]": "Metin ile bağlantı: [[http://example.com|text of the link]]", + "Long credits": "Uzun krediler", + "Longitude": "Boylam", + "Make main shape": "Ana şekil yap", + "Manage layers": "Katmanları yönet", "Map background credits": "Map background credits", - "Map has been attached to your account": "Map has been attached to your account", - "Map has been saved!": "Map has been saved!", - "Map user content has been published under licence": "Map user content has been published under licence", - "Map's editors": "Haritanın editörleri", + "Map has been attached to your account": "Harita hesabınıza bağlandı", + "Map has been saved!": "Harita kaydedildi!", + "Map user content has been published under licence": "Harita kullanıcı içeriği lisans altında yayınlandı", + "Map's editors": "Haritanın editörü", "Map's owner": "Haritanın sahibi", - "Merge lines": "Merge lines", - "More controls": "More controls", - "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Must be a valid CSS value (eg.: DarkBlue or #123456)", - "No licence has been set": "No licence has been set", - "No results": "No results", - "Only visible features will be downloaded.": "Only visible features will be downloaded.", - "Open download panel": "Open download panel", - "Open link in…": "Open link in…", - "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Open this map extent in a map editor to provide more accurate data to OpenStreetMap", - "Optional intensity property for heatmap": "Optional intensity property for heatmap", - "Optional. Same as color if not set.": "Optional. Same as color if not set.", - "Override clustering radius (default 80)": "Override clustering radius (default 80)", - "Override heatmap radius (default 25)": "Override heatmap radius (default 25)", - "Please be sure the licence is compliant with your use.": "Please be sure the licence is compliant with your use.", - "Please choose a format": "Please choose a format", - "Please enter the name of the property": "Please enter the name of the property", - "Please enter the new name of this property": "Please enter the new name of this property", + "Merge lines": "Çizgileri birleştir", + "More controls": "Daha fazla kontrol", + "Must be a valid CSS value (eg.: DarkBlue or #123456)": "Geçerli CSS değeri olmalı (örneğin: DarkBlue ya da #123456)", + "No licence has been set": "Hiçbir lisans ayarlanmadı", + "No results": "Sonuç yok", + "Only visible features will be downloaded.": "Sadece görünen özellikler indirilecek", + "Open download panel": "İndirme panelini aç", + "Open link in…": "Bağlantıyı şurada aç", + "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "OpenStreetMap'e daha doğru veri sağlayabilmek için bu harita kapsamını bir harita düzenleyicide aç", + "Optional intensity property for heatmap": "Isı haritası için isteğe bağlı yoğunluk özelliği", + "Optional. Same as color if not set.": "İsteğe bağlı. Eğer ayarlanmazsa renk ile aynı.", + "Override clustering radius (default 80)": "Kümeleme yarıçapını geçersiz kıl (varsayılan 80)", + "Override heatmap radius (default 25)": "Isı haritası yarıçapını geçersiz kıl (varsayılan 25)", + "Please be sure the licence is compliant with your use.": "Lütfen lisansın kullanımınızla uyumlu olduğundan emin olun.", + "Please choose a format": "Lütfen bir biçim seçin", + "Please enter the name of the property": "Lütfen bu özelliğin adını girin", + "Please enter the new name of this property": "Lütfen bu özelliğin yeni adını girin", "Powered by Leaflet and Django, glued by uMap project.": "Powered by Leaflet and Django, glued by uMap project.", - "Problem in the response": "Problem in the response", - "Problem in the response format": "Problem in the response format", - "Properties imported:": "Properties imported:", - "Property to use for sorting features": "Property to use for sorting features", - "Provide an URL here": "Provide an URL here", - "Proxy request": "Proxy request", - "Remote data": "Remote data", - "Remove shape from the multi": "Remove shape from the multi", - "Rename this property on all the features": "Rename this property on all the features", - "Replace layer content": "Replace layer content", - "Restore this version": "Restore this version", - "Save": "Save", - "Save anyway": "Save anyway", - "Save current edits": "Save current edits", - "Save this center and zoom": "Save this center and zoom", - "Save this location as new feature": "Save this location as new feature", - "Search a place name": "Bir yerinin adı ara", - "Search location": "Search location", - "Secret edit link is:
{link}": "Saklı düzenleme bağlantısı şu:
{link}", - "See all": "See all", - "See data layers": "Veri tabakaları görüntüle", - "See full screen": "See full screen", - "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", - "Short URL": "Short URL", - "Short credits": "Short credits", - "Show/hide layer": "Show/hide layer", - "Simple link: [[http://example.com]]": "Simple link: [[http://example.com]]", - "Slideshow": "Slideshow", - "Smart transitions": "Smart transitions", - "Sort key": "Sort key", - "Split line": "Split line", - "Start a hole here": "Start a hole here", - "Start editing": "Start editing", - "Start slideshow": "Start slideshow", - "Stop editing": "Stop editing", - "Stop slideshow": "Stop slideshow", - "Supported scheme": "Supported scheme", - "Supported variables that will be dynamically replaced": "Supported variables that will be dynamically replaced", + "Problem in the response": "Yanıtta sorun", + "Problem in the response format": "Yanıt biçiminde sorun", + "Properties imported:": "İçe aktarılan özellikler:", + "Property to use for sorting features": "Nesneleri sıralamak için kullanılacak özellik", + "Provide an URL here": "Buraya bir URL girin", + "Proxy request": "Proxy isteği", + "Remote data": "Uzaktan veriler", + "Remove shape from the multi": "Şekli çokludan kaldır", + "Rename this property on all the features": "Bu özelliği tüm nesnelerde yeniden adlandırın", + "Replace layer content": "Katman içeriğini değiştir", + "Restore this version": "Bu sürümü geri yükleyin", + "Save": "Kaydet", + "Save anyway": "Yine de kaydet", + "Save current edits": "Şimdiki düzenlemeleri kaydet", + "Save this center and zoom": "Bu merkezi kaydet ve yakınlaştır", + "Save this location as new feature": "Bu konumu yeni özellik olarak kaydet", + "Search a place name": "Yer adı ara", + "Search location": "Konum ara", + "Secret edit link is:
{link}": "Saklı düzenleme bağlantısı:
{link}", + "See all": "Hepsini gör", + "See data layers": "Veri katmanlarını gör", + "See full screen": "Tam ekranda gör", + "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Bu katmanı slayt gösterisinden, veri tarayıcısından, pop-up gezinmeden gizlemek için yanlış olarak ayarlayın ...", + "Shape properties": "Şekil özellikleri", + "Short URL": "Kısa URL", + "Short credits": "Kısa krediler", + "Show/hide layer": "Katmanı göster/gizle", + "Simple link: [[http://example.com]]": "Basit bağlantı: [[http://example.com]]", + "Slideshow": "Slayt gösterisi", + "Smart transitions": "Akıllı geçişler", + "Sort key": "Kısa anahtar", + "Split line": "Çizgiyi böl", + "Start a hole here": "Burada bir delik aç", + "Start editing": "Düzenlemeye başla", + "Start slideshow": "Slayt gösterisini başlat", + "Stop editing": "Düzenlemeyi durdur", + "Stop slideshow": "Slayt gösterisini durdur", + "Supported scheme": "Desteklenen şema", + "Supported variables that will be dynamically replaced": "Dinamik olarak değiştirilecek desteklenen değişkenler", "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.": "Symbol can be either a unicode caracter or an URL. You can use feature properties as variables: ex.: with \"http://myserver.org/images/{name}.png\", the {name} variable will be replaced by the \"name\" value of each marker.", - "TMS format": "TMS format", - "Text color for the cluster label": "Text color for the cluster label", - "Text formatting": "Text formatting", - "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "The zoom and center have been set.", - "To use if remote server doesn't allow cross domain (slower)": "To use if remote server doesn't allow cross domain (slower)", - "To zoom": "To zoom", - "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", - "Transfer shape to edited feature": "Transfer shape to edited feature", - "Transform to lines": "Transform to lines", - "Transform to polygon": "Transform to polygon", - "Type of layer": "Type of layer", - "Unable to detect format of file {filename}": "Unable to detect format of file {filename}", - "Untitled layer": "Untitled layer", - "Untitled map": "Untitled map", + "TMS format": "TMS formatı", + "Text color for the cluster label": "Küme etiketi için metin rengi", + "Text formatting": "Metin biçimlendirme", + "The name of the property to use as feature label (ex.: \"nom\")": "Nesne etiketi olarak kullanılacak özelliğin adı (örn.: \"nom\")", + "The zoom and center have been setted.": "Yakınlaştırma ve merkez ayarlandı.", + "To use if remote server doesn't allow cross domain (slower)": "Uzak sunucu etki alanları arası izin vermiyorsa kullanmak için (daha yavaş)", + "To zoom": "Yakınlaştırmak için", + "Toggle edit mode (Shift+Click)": "Düzenleme modunu değiştir (Shift+Click)", + "Transfer shape to edited feature": "Şekli düzenlenmiş özelliğe transfer et", + "Transform to lines": "Çizgilere dönüştür", + "Transform to polygon": "Çokgene dönüştür", + "Type of layer": "Katmanın tipi", + "Unable to detect format of file {filename}": "Dosyanın biçimi belirlenemedi {filename}", + "Untitled layer": "Adlandırılmamış katman", + "Untitled map": "Adlandırılmamış harita", "Update permissions": "İzinleri güncelle", - "Update permissions and editors": "Update permissions and editors", + "Update permissions and editors": "İzinleri ve düzenleyicileri güncelleyin\n", "Url": "Url", - "Use current bounds": "Use current bounds", - "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.", - "User content credits": "User content credits", - "User interface options": "User interface options", - "Versions": "Versions", - "View Fullscreen": "View Fullscreen", - "Where do we go from here?": "Where do we go from here?", - "Whether to display or not polygons paths.": "Whether to display or not polygons paths.", - "Whether to fill polygons with color.": "Whether to fill polygons with color.", - "Who can edit": "Kimin düzeltme hakkı var", - "Who can view": "Kimin görüntüleme hakkı var", - "Will be displayed in the bottom right corner of the map": "Will be displayed in the bottom right corner of the map", - "Will be visible in the caption of the map": "Will be visible in the caption of the map", - "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.", - "You have unsaved changes.": "You have unsaved changes.", - "Zoom in": "Zoom in", - "Zoom level for automatic zooms": "Zoom level for automatic zooms", - "Zoom out": "Zoom out", - "Zoom to layer extent": "Zoom to layer extent", - "Zoom to the next": "Zoom to the next", - "Zoom to the previous": "Zoom to the previous", - "Zoom to this feature": "Zoom to this feature", - "Zoom to this place": "Zoom to this place", - "attribution": "attribution", - "by": "by", - "display name": "display name", - "height": "height", - "licence": "licence", - "max East": "max East", - "max North": "max North", - "max South": "max South", - "max West": "max West", - "max zoom": "max zoom", - "min zoom": "min zoom", - "next": "next", - "previous": "previous", - "width": "width", - "{count} errors during import: {message}": "{count} errors during import: {message}", - "Measure distances": "Mesafeleri ölçtür", - "NM": "Deniz mil", + "Use current bounds": "Geçerli sınırları kullan", + "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Parantezler arasında nesne özelliklerine sahip yer tutucuları kullanın, örneğin. {isim}, dinamik olarak karşılık gelen değerlerle değiştirilecektir.", + "User content credits": "Kullanıcı içerik kredisi", + "User interface options": "Kullanıcı arayüzü seçenekleri", + "Versions": "Sürümler ", + "View Fullscreen": "Tam ekranda görüntüle", + "Where do we go from here?": "Buradan sonra nereye gidiyoruz?", + "Whether to display or not polygons paths.": "Çokgen yolların görüntülenip görüntülenmeyeceği", + "Whether to fill polygons with color.": "Çokgenleri renkle doldur ya da doldurma", + "Who can edit": "Kim düzenleyebilir", + "Who can view": "Kim görüntüleyebilir", + "Will be displayed in the bottom right corner of the map": "Haritanın sağ alt köşesinde görüntülenecek", + "Will be visible in the caption of the map": "Haritanın başlığında görüntülenecek", + "Woops! Someone else seems to have edited the data. You can save anyway, but this will erase the changes made by others.": "Woops! Başka biri verileri düzenlemiş gibi görünüyor. Yine de kaydedebilirsiniz, ancak bu başkaları tarafından yapılan değişiklikleri siler.", + "You have unsaved changes.": "Kaydedilmemiş değişiklikler var.", + "Zoom in": "Yakınlaştır", + "Zoom level for automatic zooms": "Otomatik yakınlaştırma için yakınlaştırma seviyesi", + "Zoom out": "Uzaklaştır", + "Zoom to layer extent": "Katman genişliğine yakınlaştır", + "Zoom to the next": "Bir sonrakine yakınlaştır", + "Zoom to the previous": "Bir öncekine yakınlaştır", + "Zoom to this feature": "Bu nesneyi yakınlaştır", + "Zoom to this place": "Bu yere yakınlaştırın", + "attribution": "atıf", + "by": "tarafından", + "display name": "görünen ad", + "height": "yükseklik", + "licence": "lisans", + "max East": "max Doğu", + "max North": "max Kuzey", + "max South": "max Güney", + "max West": "max Batı", + "max zoom": "max yakınlaştır ", + "min zoom": "min yakınlaştırma", + "next": "sonraki", + "previous": "önceki", + "width": "genişlik", + "{count} errors during import: {message}": "{sayı} içe aktarma sırasında hatalar: {mesaj}", + "Measure distances": "Mesafeleri ölçün", + "NM": "NM", "kilometers": "kilometre", "km": "km", "mi": "mi", @@ -355,20 +355,20 @@ "{distance} yd": "{distance} yd", "1 day": "1 gün", "1 hour": "1 saat", - "5 min": "5 dk", - "Cache proxied request": "Cache proxied request", - "No cache": "No cache", - "Popup": "Popup", - "Popup (large)": "Popup (large)", - "Popup content style": "Popup content style", - "Popup shape": "Popup shape", - "Skipping unknown geometry.type: {type}": "Skipping unknown geometry.type: {type}", - "Optional.": "İsteğe bağlı", - "Paste your data here": "Veri brada yapıştır", - "Please save the map first": "Lütfen önce haritayı kaydet", - "Unable to locate you.": "Unable to locate you.", - "Feature identifier key": "Feature identifier key", - "Open current feature on load": "Open current feature on load", - "Permalink": "Permalink", - "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." + "5 min": "5 dakika", + "Cache proxied request": "Önbellek proxy isteği", + "No cache": "Önbellek yok", + "Popup": "Açılır pencere", + "Popup (large)": "Açılır pencere (büyük)", + "Popup content style": "Pop-up içerik stili", + "Popup shape": "Pop-up şekli", + "Skipping unknown geometry.type: {type}": "Bilinmeyen geometri tipini atlama: {type}", + "Optional.": "İsteğe bağlı.", + "Paste your data here": "Paste your data here", + "Please save the map first": "Lütfen önce haritayı kaydedin", + "Unable to locate you.": "Seni bulamadık.", + "Feature identifier key": "Nesne tanımlayıcı anahtarı", + "Open current feature on load": "Mevcut yüklemede olan nesneyi aç", + "Permalink": "Kalıcı bağlantı", + "The name of the property to use as feature unique identifier.": "Nesne özgün tanımlayıcısı olarak kullanılacak özelliğin adı" } \ No newline at end of file From f8a9706a8cd1419e559960505212a7810ba81492 Mon Sep 17 00:00:00 2001 From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com> Date: Sun, 12 Sep 2021 08:24:48 +0000 Subject: [PATCH 23/42] Bump django from 3.2.3 to 3.2.4 Bumps [django](https://github.com/django/django) from 3.2.3 to 3.2.4. - [Release notes](https://github.com/django/django/releases) - [Commits](https://github.com/django/django/compare/3.2.3...3.2.4) --- updated-dependencies: - dependency-name: django dependency-type: direct:production ... Signed-off-by: dependabot[bot] --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index fc44aa42..d395b0a7 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,4 +1,4 @@ -Django==3.2.3 +Django==3.2.4 django-agnocomplete==1.0.0 django-compressor==2.4.1 Pillow==8.2.0 From 70fd85ec7250a6b02d201f501ba6aba0575d8f2b Mon Sep 17 00:00:00 2001 From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com> Date: Sun, 12 Sep 2021 08:25:11 +0000 Subject: [PATCH 24/42] Bump pillow from 8.0.1 to 8.3.2 Bumps [pillow](https://github.com/python-pillow/Pillow) from 8.0.1 to 8.3.2. - [Release notes](https://github.com/python-pillow/Pillow/releases) - [Changelog](https://github.com/python-pillow/Pillow/blob/master/CHANGES.rst) - [Commits](https://github.com/python-pillow/Pillow/compare/8.0.1...8.3.2) --- updated-dependencies: - dependency-name: pillow dependency-type: direct:production ... Signed-off-by: dependabot[bot] --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index fc44aa42..260daa4f 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,7 +1,7 @@ Django==3.2.3 django-agnocomplete==1.0.0 django-compressor==2.4.1 -Pillow==8.2.0 +Pillow==8.3.2 psycopg2==2.8.6 requests==2.25.1 social-auth-core==4.1.0 From d080c118b657834feab8229b06691edd2187b413 Mon Sep 17 00:00:00 2001 From: Ansgar Hegerfeld Date: Wed, 15 Sep 2021 21:43:07 +0200 Subject: [PATCH 25/42] Fix German typo --- umap/static/umap/locale/de.js | 2 +- umap/static/umap/locale/de.json | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/locale/de.js b/umap/static/umap/locale/de.js index 021a0166..b17b0dd6 100644 --- a/umap/static/umap/locale/de.js +++ b/umap/static/umap/locale/de.js @@ -152,7 +152,7 @@ var locale = { "Disable editing": "Bearbeiten deaktivieren", "Display measure": "Display measure", "Display on load": "Beim Seitenaufruf anzeigen.", - "Download": "Heruterladen", + "Download": "Herunterladen", "Download data": "Daten herunterladen", "Drag to reorder": "Ziehen zum Neuanordnen", "Draw a line": "Eine Linie zeichnen", diff --git a/umap/static/umap/locale/de.json b/umap/static/umap/locale/de.json index cad73853..d49147d9 100644 --- a/umap/static/umap/locale/de.json +++ b/umap/static/umap/locale/de.json @@ -152,7 +152,7 @@ "Disable editing": "Bearbeiten deaktivieren", "Display measure": "Display measure", "Display on load": "Beim Seitenaufruf anzeigen.", - "Download": "Heruterladen", + "Download": "Herunterladen", "Download data": "Daten herunterladen", "Drag to reorder": "Ziehen zum Neuanordnen", "Draw a line": "Eine Linie zeichnen", From e0bcd07d4b96b0543facc3cd7ed945cfd6d6bafb Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 16 Sep 2021 11:51:37 +0200 Subject: [PATCH 26/42] chore: i18n --- umap/locale/ja/LC_MESSAGES/django.mo | Bin 7121 -> 7724 bytes umap/locale/ja/LC_MESSAGES/django.po | 18 +++++++++--------- umap/static/umap/locale/it.js | 23 +++++++++++------------ umap/static/umap/locale/it.json | 22 +++++++++++----------- umap/static/umap/locale/ms.json | 18 +++++++++--------- 5 files changed, 40 insertions(+), 41 deletions(-) diff --git a/umap/locale/ja/LC_MESSAGES/django.mo b/umap/locale/ja/LC_MESSAGES/django.mo index d0bbd121dce07c2bd95eb1a860905f7ad8236a9b..2db9174221167b7531c85208708c4aa244a79bdc 100644 GIT binary patch delta 2466 zcmb8vd2AF_9Ki7hE#)d~Db$Kc8CNT9u_rgQ6^f!*PAmN3MV5A;D|^&El#-ZbW)T!2 zRhAnfRG~E7N%;e?Kp+y0e~@5;#$XKQQA+s3nBWzS#P4r9Yc&4lWPkg4@6Ehpe)DFo zO+8kf_%1hdyW(gd9wturSL$_~KY%}uoPkP>#Sth?xPhnYbAX@N>+?Ui9Ga zDE)^FQp&(0%*T1iFQI(=m(cJUPQdM$jhAo?Ud0FTE{?#A!A?h&hoh+%pjh) zd;piCEHHou#!&ii$Gdm}Wg)wV^-bK3G^s0?FerRUA&&R(4fJzcvY?wNnfL=`f@~fr z+e3{)Sx7$0LJCmMmmoh?<+j(k?F&&RT!!)p8{PJ}hy2SxZ_yyBUXSvO-bEg_YD4L` z3)kQwls^ySe1Ql!go*Pz6@v zW4Hp@7HT7w;0GwXyBq1NZn*6~;CSkz*>N)PY?NpJBFY|VaqF8<<~e|J{Z*73`z1kv zn^GC{l7^8eo6*1(Scenw5X!>7LAlfWDE&Na09nvDlm%3w^sh%*a1gmvZAKaABlrAQ zIE8xRHwyCll=D)`1@$NcCr}1#Lm8;kZT}4A`mga5yoZvxlUyv1@+M0EUX+FW>efe- zjwh)XqxAQS{doRwQ>de%ogF6~Z@K=2^i`Q$eGtdGUPejbD!x{dkv5dfokrQ5mrx$v zrzi`$>Utezyl+u5@-q&W_kSo~1DQAvDs`4CBZ zpCjfGGl_CS_DV4!Zt_Aje2z0wJ$qJyA={V18%Q8B`_{=|j>kAC@9Qo^=_KKE_da zB3*HP+Ew0!O5$0!o<=q(+e|HS8{~1z>zFP1okd{|kv?P(3?nk7p|Gei9*LNt*z$PP zj1)(WW?$3@g^i%EC0f>XCTs2hqro3D4S&>#n7*cPD9~!G3`aQc55>%oFVtvu{W-L? ze^wyexY}$=#fEQ9#25HljDQ)78m-~D(MUfAkO7T1{jp}F+GjLJ%#}6X!lH0AxI7*S z6i2;AdF`SWGt>}^m}ZRr)#bigBj9T_BT>U2GJHnRABr=KFVtk1!4+nc5o4j~6ew#92UEK|-`D;pG1@w*tqa;Z(6jGU&)zO=Z@qPX-|cta*VayLb!cn7b9S$` zQ+l19T9XsZ)AkXa?AFPhI?3hdrEH(=`Z4EvR!zG!B{%5gCgx8!UYuoB= zyU??*^Ue`kF5bD&&414+yLVfswhn7+H-mRw&Yz!=t&=-+^0-bWwS6)*Y|J?)?arz$ zYHNeGI{!zab@G_D59;K>bpMZ8%0KT@TeNiOb(Xd}w0+o_dyjKNXS8*+Xa9TJo@mKp j?RDBpF}b!j_nvC+*|Lk%&ce4i>5=6tZJ%@UazOnBRguE1 delta 1867 zcmY+^S!_&U7{>8eRm-Su6s@Y6s&!0Fsg}03(lWLtBH}{Cls2TaOk3N{#FA);1Vhpb zLU2JsB!|C4$Hn1}^!UR@RFT=_ zp*XWTOzOpjxRPL|+cq45*U^t%Sc(G^&2n%trsGCT!Cg2M51|_`;2?a8z40TCH4EEk zZoE7g#?vI6k3(=74#p--!+prdj&aGv)2Q#=L?3qG08Hv*M&HbXRBfYC1Ms6dRD@G; z33_PX4sw&hgNvAo_c0z{pelHS>exF}!(T8NQ(WE8b8t9iFRGp@%*7h)k1aR~k05=t z+o&0Ogjuw2uej0FeM617Z(pZcQ2Y8GG>YobRxa9Xd$1VqU?u)SZORH- z(+t!(?m{2sqv*#6n1?@+)iV#%Jr=#`%)fT;QXXgtnw=Lds5OhCDt>`l+s~*y;9_A_ z&OK8GI4?O2U3aUxC+vt`w@Mr1J7iu&Ohq%CVhb>JbYf-Y2t z6KP!?7|BHym7(5mz#=?|Ivw|%_g$!ZGub$*Zw#uQa5*=65k&o9BVNUQsHqEZXtj3R zP~Y2*YUqGdj-q~dOZH$>Vmaj>w4(1%W4h!bRKqLq6mIS|Y}xEQP2CODOuR>JzGQ0E zTBV^nFvKwzVvEkiX_?K}@TvFUUD|6qghFEs$+l6({V02j+{oa>=owbMp4jB?09*& zFChcuWO5Oyy`j)rvqCmS1;Rx}^Ajt3MGq%!iHl^U?2qK61_A|BeEve8zt~++STbR< z*H5?>1RI-tOG3f=#&yA_hER!nYr~pgeRV_q+S=f%8h6=$#Tm7snwtFDP~=kT+sL!D ib&;y9jOfbr2MN)-%s|h`jqEm8=Z^Nyo!2^d9=G3mX0`nQ diff --git a/umap/locale/ja/LC_MESSAGES/django.po b/umap/locale/ja/LC_MESSAGES/django.po index 908bb1b5..5f5f9d75 100644 --- a/umap/locale/ja/LC_MESSAGES/django.po +++ b/umap/locale/ja/LC_MESSAGES/django.po @@ -4,14 +4,14 @@ # # Translators: # Satoshi IIDA , 2013-2014 -# tomoya muramoto , 2016 +# tomoya muramoto , 2016,2021 msgid "" msgstr "" "Project-Id-Version: uMap\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2019-04-07 14:28+0000\n" -"PO-Revision-Date: 2019-04-07 14:28+0000\n" -"Last-Translator: yohanboniface \n" +"POT-Creation-Date: 2020-03-22 14:24+0000\n" +"PO-Revision-Date: 2021-08-01 09:46+0000\n" +"Last-Translator: tomoya muramoto \n" "Language-Team: Japanese (http://www.transifex.com/openstreetmap/umap/language/ja/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -81,7 +81,7 @@ msgstr "非公開の編集リンクからのみ編集可能" #: umap/middleware.py:14 msgid "Site is readonly for maintenance" -msgstr "" +msgstr "メンテナンス中のため現在読み込み専用です。" #: umap/models.py:17 msgid "name" @@ -125,7 +125,7 @@ msgstr "編集者のみ" #: umap/models.py:123 msgid "blocked" -msgstr "" +msgstr "ブロック" #: umap/models.py:126 umap/models.py:256 msgid "description" @@ -199,7 +199,7 @@ msgstr "%(current_user)sのマップを閲覧" #: umap/templates/auth/user_detail.html:15 #, python-format msgid "%(current_user)s has no maps." -msgstr "" +msgstr "%(current_user)s はまだ地図を作成していません。" #: umap/templates/registration/login.html:4 msgid "Please log in with your account" @@ -226,7 +226,7 @@ msgstr "連携アカウント選択" msgid "" "uMap lets you create maps with OpenStreetMap " "layers in a minute and embed them in your site." -msgstr "" +msgstr "uMapを使うと OpenStreetMap レイヤを使った地図を作って、ウェブページに埋め込むことが簡単にできます。" #: umap/templates/umap/about_summary.html:11 msgid "Choose the layers of your map" @@ -259,7 +259,7 @@ msgstr "サイトへのマップ表示と共有" #: umap/templates/umap/about_summary.html:23 #, python-format msgid "And it's open source!" -msgstr "uMapは Open Sourceです!" +msgstr "uMapは オープンソースです!" #: umap/templates/umap/about_summary.html:35 msgid "Play with the demo" diff --git a/umap/static/umap/locale/it.js b/umap/static/umap/locale/it.js index c73da036..197bdd98 100644 --- a/umap/static/umap/locale/it.js +++ b/umap/static/umap/locale/it.js @@ -37,7 +37,7 @@ var locale = { "Icon shape": "Forma dell'icona", "Icon symbol": "Simbolo dell'icona", "Inherit": "Eredita", - "Label direction": "Direzione dell'etichetta", + "Label direction": "Collocazione dell'etichetta", "Label key": "Chiave dell'etichetta", "Labels are clickable": "Etichette cliccabili", "None": "Nulla", @@ -150,11 +150,11 @@ var locale = { "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", "Directions from here": "Indicazioni stradali da qui", "Disable editing": "Disabilita la modifica", - "Display measure": "Display measure", + "Display measure": "Mostra misura", "Display on load": "Mostra durante il caricamento", "Download": "Scarica", "Download data": "Download dei dati", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Trascina per riordinare", "Draw a line": "Disegna una linea", "Draw a marker": "Aggiungi un marcatore", "Draw a polygon": "Disegna un poligono", @@ -174,7 +174,7 @@ var locale = { "Enable editing": "Abilita la modifica", "Error in the tilelayer URL": "Errore nell'URL nel servizio di tile", "Error while fetching {url}": "Error while fetching {url}", - "Exit Fullscreen": "Exit Fullscreen", + "Exit Fullscreen": "Esci da Schermo intero", "Extract shape to separate feature": "Dividi la geometria in geometrie separate", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", @@ -201,7 +201,7 @@ var locale = { "Import in a new layer": "Importa in un nuovo layer", "Imports all umap data, including layers and settings.": "importa tutti i dati di umap compresi layer e le impostazioni", "Include full screen link?": "inserire link per la vista a schemo intero?", - "Interaction options": "Interaction options", + "Interaction options": "Opzioni di interazione", "Invalid umap data": "dati di umap non validi", "Invalid umap data in {filename}": "dati umap non validi nel file {filename}", "Keep current visible layers": "Mantieni i livelli attualmente visibili", @@ -215,7 +215,7 @@ var locale = { "Long credits": "Ringraziamenti estesi", "Longitude": "Longitudine", "Make main shape": "Genera geometria generale", - "Manage layers": "Manage layers", + "Manage layers": "Gestisci livelli", "Map background credits": "Riconoscimenti per la mappa di sfondo", "Map has been attached to your account": "La mappa è stata associata al tuo account", "Map has been saved!": "La mappa è stata salvata", @@ -229,7 +229,7 @@ var locale = { "No results": "No results", "Only visible features will be downloaded.": "Saranno scaricate solo le geoemtrie visibili.", "Open download panel": "Apri il panel scaricato", - "Open link in…": "Open link in…", + "Open link in…": "Apri link in…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Apri quest'area della mappa nell'editor in modo da fornire dati più accurati in OpenStreeetMap", "Optional intensity property for heatmap": "Proprietà opzionale per la mappa di densità", "Optional. Same as color if not set.": "Opzionale. Stesso colore se non assegnato.", @@ -263,7 +263,7 @@ var locale = { "See data layers": "Vedi i livelli dati", "See full screen": "Visualizza a schermo intero", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", + "Shape properties": "Proprietà della forma", "Short URL": "URL breve", "Short credits": "Mostra i ringraziamenti", "Show/hide layer": "Mostra/nascondi layer", @@ -284,7 +284,7 @@ var locale = { "Text color for the cluster label": "Colore di testo per l'etichetta del raggruppamento", "Text formatting": "Formattazione testo", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "Il livello di zoom e il centro sono stati impostati.", + "The zoom and center have been setted.": "Il livello di zoom e il centro sono stati impostati.", "To use if remote server doesn't allow cross domain (slower)": "Da utilizzare se il server remoto non permette l'accesso incrociato ai domini (lento)", "To zoom": "Allo zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -365,13 +365,12 @@ var locale = { "Skipping unknown geometry.type: {type}": "Salta le geometrie sconosciute.type: {type}", "Optional.": "Opzionale.", "Paste your data here": "Incolla i tuoi dati qui", - "Please save the map first": "Per favore prima salva la mappa ", + "Please save the map first": "Per favore prima salva la mappa", "Unable to locate you.": "Unable to locate you.", "Feature identifier key": "Feature identifier key", "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} -; +}; L.registerLocale("it", locale); L.setLocale("it"); \ No newline at end of file diff --git a/umap/static/umap/locale/it.json b/umap/static/umap/locale/it.json index d2e8c5cf..813e47d3 100644 --- a/umap/static/umap/locale/it.json +++ b/umap/static/umap/locale/it.json @@ -37,7 +37,7 @@ "Icon shape": "Forma dell'icona", "Icon symbol": "Simbolo dell'icona", "Inherit": "Eredita", - "Label direction": "Direzione dell'etichetta", + "Label direction": "Collocazione dell'etichetta", "Label key": "Chiave dell'etichetta", "Labels are clickable": "Etichette cliccabili", "None": "Nulla", @@ -150,11 +150,11 @@ "Delete this vertex (Alt+Click)": "Delete this vertex (Alt+Click)", "Directions from here": "Indicazioni stradali da qui", "Disable editing": "Disabilita la modifica", - "Display measure": "Display measure", + "Display measure": "Mostra misura", "Display on load": "Mostra durante il caricamento", "Download": "Scarica", "Download data": "Download dei dati", - "Drag to reorder": "Drag to reorder", + "Drag to reorder": "Trascina per riordinare", "Draw a line": "Disegna una linea", "Draw a marker": "Aggiungi un marcatore", "Draw a polygon": "Disegna un poligono", @@ -174,7 +174,7 @@ "Enable editing": "Abilita la modifica", "Error in the tilelayer URL": "Errore nell'URL nel servizio di tile", "Error while fetching {url}": "Error while fetching {url}", - "Exit Fullscreen": "Exit Fullscreen", + "Exit Fullscreen": "Esci da Schermo intero", "Extract shape to separate feature": "Dividi la geometria in geometrie separate", "Fetch data each time map view changes.": "Fetch data each time map view changes.", "Filter keys": "Filter keys", @@ -201,7 +201,7 @@ "Import in a new layer": "Importa in un nuovo layer", "Imports all umap data, including layers and settings.": "importa tutti i dati di umap compresi layer e le impostazioni", "Include full screen link?": "inserire link per la vista a schemo intero?", - "Interaction options": "Interaction options", + "Interaction options": "Opzioni di interazione", "Invalid umap data": "dati di umap non validi", "Invalid umap data in {filename}": "dati umap non validi nel file {filename}", "Keep current visible layers": "Mantieni i livelli attualmente visibili", @@ -215,7 +215,7 @@ "Long credits": "Ringraziamenti estesi", "Longitude": "Longitudine", "Make main shape": "Genera geometria generale", - "Manage layers": "Manage layers", + "Manage layers": "Gestisci livelli", "Map background credits": "Riconoscimenti per la mappa di sfondo", "Map has been attached to your account": "La mappa è stata associata al tuo account", "Map has been saved!": "La mappa è stata salvata", @@ -229,7 +229,7 @@ "No results": "No results", "Only visible features will be downloaded.": "Saranno scaricate solo le geoemtrie visibili.", "Open download panel": "Apri il panel scaricato", - "Open link in…": "Open link in…", + "Open link in…": "Apri link in…", "Open this map extent in a map editor to provide more accurate data to OpenStreetMap": "Apri quest'area della mappa nell'editor in modo da fornire dati più accurati in OpenStreeetMap", "Optional intensity property for heatmap": "Proprietà opzionale per la mappa di densità", "Optional. Same as color if not set.": "Opzionale. Stesso colore se non assegnato.", @@ -263,7 +263,7 @@ "See data layers": "Vedi i livelli dati", "See full screen": "Visualizza a schermo intero", "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…": "Set it to false to hide this layer from the slideshow, the data browser, the popup navigation…", - "Shape properties": "Shape properties", + "Shape properties": "Proprietà della forma", "Short URL": "URL breve", "Short credits": "Mostra i ringraziamenti", "Show/hide layer": "Mostra/nascondi layer", @@ -284,7 +284,7 @@ "Text color for the cluster label": "Colore di testo per l'etichetta del raggruppamento", "Text formatting": "Formattazione testo", "The name of the property to use as feature label (ex.: \"nom\")": "The name of the property to use as feature label (ex.: \"nom\")", - "The zoom and center have been set.": "Il livello di zoom e il centro sono stati impostati.", + "The zoom and center have been setted.": "Il livello di zoom e il centro sono stati impostati.", "To use if remote server doesn't allow cross domain (slower)": "Da utilizzare se il server remoto non permette l'accesso incrociato ai domini (lento)", "To zoom": "Allo zoom", "Toggle edit mode (Shift+Click)": "Toggle edit mode (Shift+Click)", @@ -365,10 +365,10 @@ "Skipping unknown geometry.type: {type}": "Salta le geometrie sconosciute.type: {type}", "Optional.": "Opzionale.", "Paste your data here": "Incolla i tuoi dati qui", - "Please save the map first": "Per favore prima salva la mappa ", + "Please save the map first": "Per favore prima salva la mappa", "Unable to locate you.": "Unable to locate you.", "Feature identifier key": "Feature identifier key", "Open current feature on load": "Open current feature on load", "Permalink": "Permalink", "The name of the property to use as feature unique identifier.": "The name of the property to use as feature unique identifier." -} +} \ No newline at end of file diff --git a/umap/static/umap/locale/ms.json b/umap/static/umap/locale/ms.json index 91545416..a88b7de1 100644 --- a/umap/static/umap/locale/ms.json +++ b/umap/static/umap/locale/ms.json @@ -98,10 +98,10 @@ "An error occured": "Telah berlakunya ralat", "Are you sure you want to cancel your changes?": "Adakah anda ingin membatalkan perubahan anda?", "Are you sure you want to clone this map and all its datalayers?": "Adakah anda ingin klon peta ini serta semua lapisan datanya?", - "Are you sure you want to delete the feature?": "Adakah anda ingin padam ciri-ciri dipilih?", + "Are you sure you want to delete the feature?": "Adakah anda ingin memadamkan sifat-sifat dipilih?", "Are you sure you want to delete this layer?": "Adakah anda ingin memadamkan lapisan ini?", "Are you sure you want to delete this map?": "Adakah anda ingin memadamkan peta ini?", - "Are you sure you want to delete this property on all the features?": "Adakah anda ingin memadamkan ciri-ciri ini di kesemua sifat?", + "Are you sure you want to delete this property on all the features?": "Adakah anda ingin memadamkan ciri-ciri ini di kesemua sifat-sifat?", "Are you sure you want to restore this version?": "Adakah anda ingin memulihkan versi ini?", "Attach the map to my account": "Lampirkan peta ke akaun saya", "Auto": "Auto", @@ -145,7 +145,7 @@ "Delete all layers": "Padam semua lapisan", "Delete layer": "Padam lapisan", "Delete this feature": "Padam sifat ini", - "Delete this property on all the features": "Padam sifat ini di kesemua ciri-ciri", + "Delete this property on all the features": "Padam ciri-ciri ini di kesemua sifat-sifat", "Delete this shape": "Padam bentuk ini", "Delete this vertex (Alt+Click)": "Padam bucu ini (Alt+Klik)", "Directions from here": "Arah dari sini", @@ -183,7 +183,7 @@ "From zoom": "Dari zum", "Full map data": "Data peta penuh", "Go to «{feature}»": "Pergi ke «{feature}»", - "Heatmap intensity property": "Ciri-ciri kematan peta tompokan", + "Heatmap intensity property": "Ciri-ciri keamatan peta tompokan", "Heatmap radius": "Jejari peta tompokan", "Help": "Bantuan", "Hide controls": "Sembunyikan kawalan", @@ -248,14 +248,14 @@ "Proxy request": "Permintaan proksi", "Remote data": "Data jarak jauh", "Remove shape from the multi": "Buang bentuk daripada multi", - "Rename this property on all the features": "Namakan semula sifat ini di kesemua ciri-ciri", + "Rename this property on all the features": "Namakan semula ciri-ciri ini di kesemua sifat-sifat", "Replace layer content": "Gantikan kandungan lapisan", "Restore this version": "Pulihkan versi ini", "Save": "Simpan", "Save anyway": "Simpan juga apa pun", "Save current edits": "Simpan suntingan semasa", - "Save this center and zoom": "Simpan tengah ini dan zum", - "Save this location as new feature": "Simpan kedudukan ini sebagai ciri-ciri baharu", + "Save this center and zoom": "Simpan kedudukan tengah dan zum ini", + "Save this location as new feature": "Simpan kedudukan ini sebagai sifat baharu", "Search a place name": "Cari nama tempat", "Search location": "Kedudukan carian", "Secret edit link is:
{link}": "Pautan suntingan rahsia ialah:
{link}", @@ -301,7 +301,7 @@ "Use current bounds": "Guna batas semasa", "Use placeholders with feature properties between brackets, eg. {name}, they will be dynamically replaced by the corresponding values.": "Guna pemegang tempat dengan ciri-ciri sifat di antara tanda kurung, spt. {name}, mereka akan digantikan dengan nilai yang berkenaan secara dinamiknya.", "User content credits": "Penghargaan kandungan pengguna", - "User interface options": "Pilihan antaramuka pengguna", + "User interface options": "Pilihan antara muka pengguna", "Versions": "Versi", "View Fullscreen": "Lihat Skrin Penuh", "Where do we go from here?": "Ke mana kita pergi dari sini?", @@ -366,7 +366,7 @@ "Optional.": "Pilihan.", "Paste your data here": "Tampalkan data anda di sini", "Please save the map first": "Sila simpan peta terlebih dahulu", - "Unable to locate you.": "Tidak mempu mengesan kedudukan anda.", + "Unable to locate you.": "Tidak mampu mengesan kedudukan anda.", "Feature identifier key": "Kekunci pengenalpastian sifat", "Open current feature on load": "Buka sifat semasa ketika dimuatkan", "Permalink": "Pautan kekal", From 4c9e82f6ab8ba96dadfaac88eb9029397af0d7b0 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 16 Sep 2021 11:54:57 +0200 Subject: [PATCH 27/42] Remove grunt --- package.json | 4 ---- 1 file changed, 4 deletions(-) diff --git a/package.json b/package.json index 7bb135c5..0260e746 100644 --- a/package.json +++ b/package.json @@ -7,10 +7,6 @@ }, "devDependencies": { "chai": "^3.3.0", - "grunt": "^0.4.4", - "grunt-cli": "^1.2.0", - "grunt-contrib-concat": "^0.5.1", - "grunt-contrib-copy": "^0.5.0", "happen": "~0.1.3", "mocha": "^2.3.3", "mocha-phantomjs": "^4.0.1", From c244716e0d540006e7bb286a9aac1ed1f305a12d Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 16 Sep 2021 12:12:42 +0200 Subject: [PATCH 28/42] social-auth-app-django==5.0.0 --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index 96021360..312cade4 100644 --- a/requirements.txt +++ b/requirements.txt @@ -5,4 +5,4 @@ Pillow==8.3.2 psycopg2==2.8.6 requests==2.25.1 social-auth-core==4.1.0 -social-auth-app-django==4.0.0 +social-auth-app-django==5.0.0 From 91cfc39cb67929249b332e79d01916376fbc26c1 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 16 Sep 2021 12:15:18 +0200 Subject: [PATCH 29/42] Make Django with DEFAULT_AUTO_FIELD setting --- umap/settings/base.py | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/settings/base.py b/umap/settings/base.py index bb1b7591..741da560 100644 --- a/umap/settings/base.py +++ b/umap/settings/base.py @@ -101,6 +101,7 @@ INSTALLED_APPS = ( 'social_django', 'agnocomplete', ) +DEFAULT_AUTO_FIELD = 'django.db.models.AutoField' # ============================================================================= # Calculation of directories relative to the project module location From 4a3d4ae7a7ff8df21a71258554dbcea1f0a4fd2e Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 16 Sep 2021 12:17:08 +0200 Subject: [PATCH 30/42] Use correct JSONField --- umap/models.py | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/umap/models.py b/umap/models.py index e0935a4d..2e317abc 100644 --- a/umap/models.py +++ b/umap/models.py @@ -8,7 +8,6 @@ from django.utils.translation import gettext_lazy as _ from django.core.signing import Signer from django.template.defaultfilters import slugify from django.core.files.base import File -from django.contrib.postgres.fields import JSONField from .managers import PublicManager @@ -139,7 +138,7 @@ class Map(NamedModel): editors = models.ManyToManyField(settings.AUTH_USER_MODEL, blank=True, verbose_name=_("editors")) edit_status = models.SmallIntegerField(choices=EDIT_STATUS, default=OWNER, verbose_name=_("edit status")) share_status = models.SmallIntegerField(choices=SHARE_STATUS, default=PUBLIC, verbose_name=_("share status")) - settings = JSONField(blank=True, null=True, verbose_name=_("settings"), default=dict) + settings = models.JSONField(blank=True, null=True, verbose_name=_("settings"), default=dict) objects = models.Manager() public = PublicManager() From f3870272ded1b8c8b54ad1ab2c6fc1cc6138ec5b Mon Sep 17 00:00:00 2001 From: "dependabot[bot]" <49699333+dependabot[bot]@users.noreply.github.com> Date: Wed, 22 Sep 2021 17:41:48 +0000 Subject: [PATCH 31/42] Bump django from 3.2.4 to 3.2.5 Bumps [django](https://github.com/django/django) from 3.2.4 to 3.2.5. - [Release notes](https://github.com/django/django/releases) - [Commits](https://github.com/django/django/compare/3.2.4...3.2.5) --- updated-dependencies: - dependency-name: django dependency-type: direct:production ... Signed-off-by: dependabot[bot] --- requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements.txt b/requirements.txt index 312cade4..9cf3194f 100644 --- a/requirements.txt +++ b/requirements.txt @@ -1,4 +1,4 @@ -Django==3.2.4 +Django==3.2.5 django-agnocomplete==1.0.0 django-compressor==2.4.1 Pillow==8.3.2 From 72f8fd971dfae775e2416ee7b74cb04e0e52700a Mon Sep 17 00:00:00 2001 From: Tobias Date: Wed, 22 Dec 2021 14:47:22 +0100 Subject: [PATCH 32/42] CSS: Fix cut of text in table of popup content Whenever the key or value is too long, the table was pushed being wider than the given container. And the overflow rules cut off the content of the table. Fixes - Remove overflow rules (reset to defaults, which is `auto`), which makes a scroll bar show up if content is too wide - Let long text break in lines instead of pushing the table (which in turn prevents the scroll bar from showing up) --- umap/static/umap/map.css | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/map.css b/umap/static/umap/map.css index 45e1cd2a..4e71d6da 100644 --- a/umap/static/umap/map.css +++ b/umap/static/umap/map.css @@ -1283,8 +1283,6 @@ a.add-datalayer:hover, .umap-popup-content { max-height: 500px; flex-grow: 1; - overflow-y: auto; - overflow-x: hidden; margin-bottom: 4px; display: flex; flex-direction: column; @@ -1292,6 +1290,10 @@ a.add-datalayer:hover, .umap-popup-content iframe { min-width: 310px; } +.umap-popup-content th, +.umap-popup-content td { + word-break: break-word; +} .umap-popup-container { flex-grow: 1; padding: 0 10px; From b3ad642a068b9da1a220e05c439c8b27ad65d1ed Mon Sep 17 00:00:00 2001 From: Tobias Date: Tue, 28 Dec 2021 21:29:31 +0100 Subject: [PATCH 33/42] CSS: Fix cut of text popup content The overflow that was removed in 72f8fd971dfae775e2416ee7b74cb04e0e52700a did cut off long URLs and such which where now visible overflowing the popup content. However, we do want the visible but using `break-word`. --- umap/static/umap/map.css | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/static/umap/map.css b/umap/static/umap/map.css index 4e71d6da..c8a43ce1 100644 --- a/umap/static/umap/map.css +++ b/umap/static/umap/map.css @@ -1297,6 +1297,7 @@ a.add-datalayer:hover, .umap-popup-container { flex-grow: 1; padding: 0 10px; + word-break: break-word; } .leaflet-popup-content h3 { margin-bottom: 0; From 00890aabde18cd85a87b535324d6d85eb7fdb0f5 Mon Sep 17 00:00:00 2001 From: Tobias Date: Wed, 29 Dec 2021 14:17:22 +0100 Subject: [PATCH 34/42] CSS: Fix cut of text in iframes of popup content The overflow hidden removed in 72f8fd971dfae775e2416ee7b74cb04e0e52700a did cut of iframes and their content. However, it did introduce a scrollbar when the iframe is too big. Which is fixed here by adding a max-width of 100%. There was a max-width but one with fixed pixel values before, which was removed in https://github.com/umap-project/umap/commit/345283782c45e3f565132f1ad0c2fa5c4b7d4043#diff-5470058378896897263b7a99e4226772660e09d5e9e51b530fffc6075b8e07bfL1299. The stylesheet-style's max-width will overwrite any width-specification given via the width-attribute on the iframe as well as width-conditions set as inline-styles. However, adding a inline max-width-style will overwrite the css-file specification due to higher css specificity. --- umap/static/umap/map.css | 1 + 1 file changed, 1 insertion(+) diff --git a/umap/static/umap/map.css b/umap/static/umap/map.css index c8a43ce1..a9c0a746 100644 --- a/umap/static/umap/map.css +++ b/umap/static/umap/map.css @@ -1289,6 +1289,7 @@ a.add-datalayer:hover, } .umap-popup-content iframe { min-width: 310px; + max-width: 100%; } .umap-popup-content th, .umap-popup-content td { From b7009e3ed0d783ba6597c67dbaa93e8c9d01613d Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 16 Sep 2021 12:39:17 +0200 Subject: [PATCH 35/42] Init empty permissions Fix bug where we coud not edit permissions of a new saved map unless reloading the page. --- umap/static/umap/js/umap.js | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/umap/static/umap/js/umap.js b/umap/static/umap/js/umap.js index d5f55c52..944f55cc 100644 --- a/umap/static/umap/js/umap.js +++ b/umap/static/umap/js/umap.js @@ -45,7 +45,8 @@ L.Map.mergeOptions({ captionBar: false, slideshow: {}, clickable: true, - easing: true + easing: true, + permissions: {} }); L.U.Map.include({ @@ -196,7 +197,7 @@ L.U.Map.include({ this.help = new L.U.Help(this); this.slideshow = new L.U.Slideshow(this, this.options.slideshow); - this.permissions = new L.U.MapPermissions(this, this.options.permissions); + this.permissions = new L.U.MapPermissions(this); this.initCaptionBar(); if (this.options.allowEdit) { this.editTools = new L.U.Editable(this); From cc14796c6c8c8c1862b220e7928b63e6875bcb59 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Wed, 29 Dec 2021 17:54:15 +0100 Subject: [PATCH 36/42] chore: use setup.cfg --- .travis.yml | 3 +-- Makefile | 3 +-- setup.cfg | 54 ++++++++++++++++++++++++++++++++++++++++++++++++ setup.py | 52 ++-------------------------------------------- umap/__init__.py | 14 ++++++------- 5 files changed, 65 insertions(+), 61 deletions(-) create mode 100644 setup.cfg diff --git a/.travis.yml b/.travis.yml index b3d77fca..c8edc1a4 100644 --- a/.travis.yml +++ b/.travis.yml @@ -18,8 +18,7 @@ env: - PGPORT=5432 - UMAP_SETTINGS=umap/tests/settings.py install: -- pip install . -- pip install -r requirements-dev.txt +- make develop script: make test notifications: irc: diff --git a/Makefile b/Makefile index 61a540c2..163c20d5 100644 --- a/Makefile +++ b/Makefile @@ -1,8 +1,7 @@ test: py.test -xv umap/tests/ develop: - python setup.py develop - pip install -r requirements-dev.txt + pip install -e .[test,dev] release: test compilemessages python setup.py sdist bdist_wheel test_publish: diff --git a/setup.cfg b/setup.cfg new file mode 100644 index 00000000..904a6da5 --- /dev/null +++ b/setup.cfg @@ -0,0 +1,54 @@ +[metadata] +name = umap-project +version = 1.3.0.alpha +description = Create maps with OpenStreetMap layers in a minute and embed them in your site. +long_description = file: README.md +long_description_content_type = text/markdown +author = Yohan Boniface +homepage = https://github.com/umap-project/umap +keywords = django leaflet geodjango openstreetmap map +classifiers = + Development Status :: 4 - Beta + Intended Audience :: Developers + Operating System :: OS Independent + Topic :: Software Development :: Libraries :: Python Modules + Programming Language :: Python + Programming Language :: Python :: 3 :: Only + Programming Language :: Python :: 3.4 + Programming Language :: Python :: 3.5 + Programming Language :: Python :: 3.6 + Programming Language :: Python :: 3.7 + Programming Language :: Python :: 3.8 + Programming Language :: Python :: 3.9 + Programming Language :: Python :: 3.10 + +[options] +packages = find: +include_package_data = True +install_requires = + Django>=3.2.5 + django-agnocomplete==1.0.0 + django-compressor==2.4.1 + Pillow==8.3.2 + psycopg2==2.8.6 + requests==2.25.1 + social-auth-core==4.1.0 + social-auth-app-django==5.0.0 + +[options.extras_require] +dev = + black==21.10b0 + mkdocs==1.1.2 +test = + factory-boy==3.2.0 + pytest==6.2.4 + pytest-django==4.3.0 + + +[options.entry_points] +console_scripts = + umap = umap.bin:main + +[flake8] +# Black crazyness. +max-line-length = 88 diff --git a/setup.py b/setup.py index af288090..8bf1ba93 100644 --- a/setup.py +++ b/setup.py @@ -1,50 +1,2 @@ -#!/usr/bin/env python - -import io -from pathlib import Path - -from setuptools import setup, find_packages - -import umap - - -def is_pkg(line): - return line and not line.startswith(('--', 'git', '#')) - - -with io.open('requirements.txt', encoding='utf-8') as reqs: - install_requires = [l for l in reqs.read().split('\n') if is_pkg(l)] - -setup( - name="umap-project", - version=umap.__version__, - author=umap.__author__, - author_email=umap.__contact__, - description=umap.__doc__, - keywords="django leaflet geodjango openstreetmap map", - url=umap.__homepage__, - packages=find_packages(), - include_package_data=True, - platforms=["any"], - zip_safe=True, - long_description=Path('README.md').read_text(), - long_description_content_type='text/markdown', - install_requires=install_requires, - classifiers=[ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Operating System :: OS Independent", - "Topic :: Software Development :: Libraries :: Python Modules", - "Programming Language :: Python", - "Programming Language :: Python :: 3 :: Only", - "Programming Language :: Python :: 3.4", - "Programming Language :: Python :: 3.5", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - ], - entry_points={ - 'console_scripts': ['umap=umap.bin:main'], - }, - ) +from setuptools import setup +setup() diff --git a/umap/__init__.py b/umap/__init__.py index 14455300..046a98f3 100644 --- a/umap/__init__.py +++ b/umap/__init__.py @@ -1,7 +1,7 @@ -"Create maps with OpenStreetMap layers in a minute and embed them in your site." -VERSION = (1, 2, 3) - -__author__ = 'Yohan Boniface' -__contact__ = "ybon@openstreetmap.fr" -__homepage__ = "https://github.com/umap-project/umap" -__version__ = ".".join(map(str, VERSION)) +try: + import pkg_resources +except ImportError: # pragma: no cover + pass +else: + if __package__: + VERSION = pkg_resources.get_distribution("umap-project").version From c5dc2fa13a8abd644c9d5c5c74d420e4718e646a Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 30 Dec 2021 11:59:01 +0100 Subject: [PATCH 37/42] chore: bump dev requirements --- setup.cfg | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/setup.cfg b/setup.cfg index 904a6da5..e2cbcd88 100644 --- a/setup.cfg +++ b/setup.cfg @@ -38,11 +38,11 @@ install_requires = [options.extras_require] dev = black==21.10b0 - mkdocs==1.1.2 + mkdocs==1.2.3 test = - factory-boy==3.2.0 - pytest==6.2.4 - pytest-django==4.3.0 + factory-boy==3.2.1 + pytest==6.2.5 + pytest-django==4.5.2 [options.entry_points] From 77b83901848461f311cd27665c8ea2b71ef02967 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 30 Dec 2021 12:01:59 +0100 Subject: [PATCH 38/42] chore: remove mkdocs warning about "pages" replaced by "nav" --- mkdocs.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mkdocs.yml b/mkdocs.yml index be79a976..1293c4ae 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -1,5 +1,5 @@ site_name: uMap -pages: +nav: - Home: index.md - Installation: install.md - Administration: administration.md From 7dc608a24237e30b53494a74ff5dbbf6c2a5aa41 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 30 Dec 2021 12:06:41 +0100 Subject: [PATCH 39/42] fix: fix version import from context processors --- umap/context_processors.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/umap/context_processors.py b/umap/context_processors.py index 03253b24..499a82a8 100644 --- a/umap/context_processors.py +++ b/umap/context_processors.py @@ -1,6 +1,6 @@ from django.conf import settings as djsettings -from . import __version__ +from . import VERSION def settings(request): @@ -13,5 +13,5 @@ def settings(request): def version(request): return { - 'UMAP_VERSION': __version__ + 'UMAP_VERSION': VERSION } From 3df1da18878dee5b388517b1f726f5b6fe378614 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 30 Dec 2021 12:07:04 +0100 Subject: [PATCH 40/42] chore: upgrade pillow, psycopg and requests --- setup.cfg | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/setup.cfg b/setup.cfg index e2cbcd88..ae6dec7e 100644 --- a/setup.cfg +++ b/setup.cfg @@ -29,9 +29,9 @@ install_requires = Django>=3.2.5 django-agnocomplete==1.0.0 django-compressor==2.4.1 - Pillow==8.3.2 - psycopg2==2.8.6 - requests==2.25.1 + Pillow==8.4.0 + psycopg2==2.9.3 + requests==2.26.0 social-auth-core==4.1.0 social-auth-app-django==5.0.0 From ab675f13bbc8ee83cf216231e894402e92b6e6b1 Mon Sep 17 00:00:00 2001 From: Yohan Boniface Date: Thu, 30 Dec 2021 12:13:29 +0100 Subject: [PATCH 41/42] chore: remove requirements files --- requirements-dev.txt | 4 ---- requirements.txt | 8 -------- 2 files changed, 12 deletions(-) delete mode 100644 requirements-dev.txt delete mode 100644 requirements.txt diff --git a/requirements-dev.txt b/requirements-dev.txt deleted file mode 100644 index 292fc59b..00000000 --- a/requirements-dev.txt +++ /dev/null @@ -1,4 +0,0 @@ -factory-boy==3.2.0 -mkdocs==1.1.2 -pytest==6.2.4 -pytest-django==4.3.0 diff --git a/requirements.txt b/requirements.txt deleted file mode 100644 index 9cf3194f..00000000 --- a/requirements.txt +++ /dev/null @@ -1,8 +0,0 @@ -Django==3.2.5 -django-agnocomplete==1.0.0 -django-compressor==2.4.1 -Pillow==8.3.2 -psycopg2==2.8.6 -requests==2.25.1 -social-auth-core==4.1.0 -social-auth-app-django==5.0.0 From 5dcdab19b13abb7f3168c8527a204d62c44050cc Mon Sep 17 00:00:00 2001 From: Matthew Cengia Date: Tue, 22 Mar 2022 14:58:56 +1100 Subject: [PATCH 42/42] Update table names in Search/Optimisation docs --- docs/install.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/install.md b/docs/install.md index 2d4961a9..45c62c2a 100644 --- a/docs/install.md +++ b/docs/install.md @@ -86,11 +86,11 @@ may want to add an index. For that, you should do so: CREATE EXTENSION btree_gin; ALTER FUNCTION unaccent(text) IMMUTABLE; ALTER FUNCTION to_tsvector(text) IMMUTABLE; - CREATE INDEX search_idx ON leaflet_storage_map USING gin(to_tsvector(unaccent(name)), share_status); + CREATE INDEX search_idx ON umap_map USING gin(to_tsvector(unaccent(name)), share_status); ## Optimisations To speed up uMap homepage rendering on a large instance, the following index can be added as well (make sure you set the center to your default instance map center): - CREATE INDEX leaflet_storage_map_optim ON leaflet_storage_map (modified_at) WHERE ("leaflet_storage_map"."share_status" = 1 AND ST_Distance("leaflet_storage_map"."center", ST_GeomFromEWKT('SRID=4326;POINT(2 51)')) > 1000.0); + CREATE INDEX umap_map_optim ON umap_map (modified_at) WHERE ("umap_map"."share_status" = 1 AND ST_Distance("umap_map"."center", ST_GeomFromEWKT('SRID=4326;POINT(2 51)')) > 1000.0);